`
+`https://embed.bsky.app/static/embed.js`
+
+```
+
+ {{ post-text }}
+ — US Department of the Interior (@Interior) May 5, 2014
+
+```
diff --git a/bskyweb/cmd/embedr/.gitignore b/bskyweb/cmd/embedr/.gitignore
new file mode 100644
index 0000000000..c810652a10
--- /dev/null
+++ b/bskyweb/cmd/embedr/.gitignore
@@ -0,0 +1 @@
+/bskyweb
diff --git a/bskyweb/cmd/embedr/handlers.go b/bskyweb/cmd/embedr/handlers.go
new file mode 100644
index 0000000000..2ab72be449
--- /dev/null
+++ b/bskyweb/cmd/embedr/handlers.go
@@ -0,0 +1,207 @@
+package main
+
+import (
+ "context"
+ "errors"
+ "fmt"
+ "net/http"
+ "net/url"
+ "strconv"
+ "strings"
+
+ appbsky "github.com/bluesky-social/indigo/api/bsky"
+ "github.com/bluesky-social/indigo/atproto/syntax"
+
+ "github.com/labstack/echo/v4"
+)
+
+var ErrPostNotFound = errors.New("post not found")
+var ErrPostNotPublic = errors.New("post is not publicly accessible")
+
+func (srv *Server) getBlueskyPost(ctx context.Context, did syntax.DID, rkey syntax.RecordKey) (*appbsky.FeedDefs_PostView, error) {
+
+ // fetch the post post (with extra context)
+ uri := fmt.Sprintf("at://%s/app.bsky.feed.post/%s", did, rkey)
+ tpv, err := appbsky.FeedGetPostThread(ctx, srv.xrpcc, 1, 0, uri)
+ if err != nil {
+ log.Warnf("failed to fetch post: %s\t%v", uri, err)
+ // TODO: detect 404, specifically?
+ return nil, ErrPostNotFound
+ }
+
+ if tpv.Thread.FeedDefs_BlockedPost != nil {
+ return nil, ErrPostNotPublic
+ } else if tpv.Thread.FeedDefs_ThreadViewPost.Post == nil {
+ return nil, ErrPostNotFound
+ }
+
+ postView := tpv.Thread.FeedDefs_ThreadViewPost.Post
+ for _, label := range postView.Author.Labels {
+ if label.Src == postView.Author.Did && label.Val == "!no-unauthenticated" {
+ return nil, ErrPostNotPublic
+ }
+ }
+ return postView, nil
+}
+
+func (srv *Server) WebHome(c echo.Context) error {
+ return c.Render(http.StatusOK, "home.html", nil)
+}
+
+type OEmbedResponse struct {
+ Type string `json:"type"`
+ Version string `json:"version"`
+ AuthorName string `json:"author_name,omitempty"`
+ AuthorURL string `json:"author_url,omitempty"`
+ ProviderName string `json:"provider_url,omitempty"`
+ CacheAge int `json:"cache_age,omitempty"`
+ Width int `json:"width,omitempty"`
+ Height *int `json:"height,omitempty"`
+ HTML string `json:"html,omitempty"`
+}
+
+func (srv *Server) parseBlueskyURL(ctx context.Context, raw string) (*syntax.ATURI, error) {
+
+ if raw == "" {
+ return nil, fmt.Errorf("empty url")
+ }
+
+ // first try simple AT-URI
+ uri, err := syntax.ParseATURI(raw)
+ if nil == err {
+ return &uri, nil
+ }
+
+ // then try bsky.app post URL
+ u, err := url.Parse(raw)
+ if err != nil {
+ return nil, err
+ }
+ if u.Hostname() != "bsky.app" {
+ return nil, fmt.Errorf("only bsky.app URLs currently supported")
+ }
+ pathParts := strings.Split(u.Path, "/") // NOTE: pathParts[0] will be empty string
+ if len(pathParts) != 5 || pathParts[1] != "profile" || pathParts[3] != "post" {
+ return nil, fmt.Errorf("only bsky.app post URLs currently supported")
+ }
+ atid, err := syntax.ParseAtIdentifier(pathParts[2])
+ if err != nil {
+ return nil, err
+ }
+ rkey, err := syntax.ParseRecordKey(pathParts[4])
+ if err != nil {
+ return nil, err
+ }
+ var did syntax.DID
+ if atid.IsHandle() {
+ ident, err := srv.dir.Lookup(ctx, *atid)
+ if err != nil {
+ return nil, err
+ }
+ did = ident.DID
+ } else {
+ did, err = atid.AsDID()
+ if err != nil {
+ return nil, err
+ }
+ }
+
+ // TODO: don't really need to re-parse here, if we had test coverage
+ aturi, err := syntax.ParseATURI(fmt.Sprintf("at://%s/app.bsky.feed.post/%s", did, rkey))
+ if err != nil {
+ return nil, err
+ } else {
+ return &aturi, nil
+ }
+}
+
+func (srv *Server) WebOEmbed(c echo.Context) error {
+ formatParam := c.QueryParam("format")
+ if formatParam != "" && formatParam != "json" {
+ return c.String(http.StatusNotImplemented, "Unsupported oEmbed format: "+formatParam)
+ }
+
+ // TODO: do we actually do something with width?
+ width := 550
+ maxWidthParam := c.QueryParam("maxwidth")
+ if maxWidthParam != "" {
+ maxWidthInt, err := strconv.Atoi(maxWidthParam)
+ if err != nil || maxWidthInt < 220 || maxWidthInt > 550 {
+ return c.String(http.StatusBadRequest, "Invalid maxwidth (expected integer between 220 and 550)")
+ }
+ width = maxWidthInt
+ }
+ // NOTE: maxheight ignored
+
+ aturi, err := srv.parseBlueskyURL(c.Request().Context(), c.QueryParam("url"))
+ if err != nil {
+ return c.String(http.StatusBadRequest, fmt.Sprintf("Expected 'url' to be bsky.app URL or AT-URI: %v", err))
+ }
+ if aturi.Collection() != syntax.NSID("app.bsky.feed.post") {
+ return c.String(http.StatusNotImplemented, "Only posts (app.bsky.feed.post records) can be embedded currently")
+ }
+ did, err := aturi.Authority().AsDID()
+ if err != nil {
+ return err
+ }
+
+ post, err := srv.getBlueskyPost(c.Request().Context(), did, aturi.RecordKey())
+ if err == ErrPostNotFound {
+ return c.String(http.StatusNotFound, fmt.Sprintf("%v", err))
+ } else if err == ErrPostNotPublic {
+ return c.String(http.StatusForbidden, fmt.Sprintf("%v", err))
+ } else if err != nil {
+ return c.String(http.StatusInternalServerError, fmt.Sprintf("%v", err))
+ }
+
+ html, err := srv.postEmbedHTML(post)
+ if err != nil {
+ return c.String(http.StatusInternalServerError, fmt.Sprintf("%v", err))
+ }
+ data := OEmbedResponse{
+ Type: "rich",
+ Version: "1.0",
+ AuthorName: "@" + post.Author.Handle,
+ AuthorURL: fmt.Sprintf("https://bsky.app/profile/%s", post.Author.Handle),
+ ProviderName: "Bluesky Social",
+ CacheAge: 86400,
+ Width: width,
+ Height: nil,
+ HTML: html,
+ }
+ if post.Author.DisplayName != nil {
+ data.AuthorName = fmt.Sprintf("%s (@%s)", *post.Author.DisplayName, post.Author.Handle)
+ }
+ return c.JSON(http.StatusOK, data)
+}
+
+func (srv *Server) WebPostEmbed(c echo.Context) error {
+
+ // sanity check arguments. don't 4xx, just let app handle if not expected format
+ rkeyParam := c.Param("rkey")
+ rkey, err := syntax.ParseRecordKey(rkeyParam)
+ if err != nil {
+ return c.String(http.StatusBadRequest, fmt.Sprintf("Invalid RecordKey: %v", err))
+ }
+ didParam := c.Param("did")
+ did, err := syntax.ParseDID(didParam)
+ if err != nil {
+ return c.String(http.StatusBadRequest, fmt.Sprintf("Invalid DID: %v", err))
+ }
+ _ = rkey
+ _ = did
+
+ // NOTE: this request was't really necessary; the JS will do the same fetch
+ /*
+ postView, err := srv.getBlueskyPost(ctx, did, rkey)
+ if err == ErrPostNotFound {
+ return c.String(http.StatusNotFound, fmt.Sprintf("%v", err))
+ } else if err == ErrPostNotPublic {
+ return c.String(http.StatusForbidden, fmt.Sprintf("%v", err))
+ } else if err != nil {
+ return c.String(http.StatusInternalServerError, fmt.Sprintf("%v", err))
+ }
+ */
+
+ return c.Render(http.StatusOK, "postEmbed.html", nil)
+}
diff --git a/bskyweb/cmd/embedr/main.go b/bskyweb/cmd/embedr/main.go
new file mode 100644
index 0000000000..9f75ed69af
--- /dev/null
+++ b/bskyweb/cmd/embedr/main.go
@@ -0,0 +1,60 @@
+package main
+
+import (
+ "os"
+
+ _ "github.com/joho/godotenv/autoload"
+
+ logging "github.com/ipfs/go-log"
+ "github.com/urfave/cli/v2"
+)
+
+var log = logging.Logger("embedr")
+
+func init() {
+ logging.SetAllLoggers(logging.LevelDebug)
+ //logging.SetAllLoggers(logging.LevelWarn)
+}
+
+func main() {
+ run(os.Args)
+}
+
+func run(args []string) {
+
+ app := cli.App{
+ Name: "embedr",
+ Usage: "web server for embed.bsky.app post embeds",
+ }
+
+ app.Commands = []*cli.Command{
+ &cli.Command{
+ Name: "serve",
+ Usage: "run the server",
+ Action: serve,
+ Flags: []cli.Flag{
+ &cli.StringFlag{
+ Name: "appview-host",
+ Usage: "method, hostname, and port of PDS instance",
+ Value: "https://public.api.bsky.app",
+ EnvVars: []string{"ATP_APPVIEW_HOST"},
+ },
+ &cli.StringFlag{
+ Name: "http-address",
+ Usage: "Specify the local IP/port to bind to",
+ Required: false,
+ Value: ":8100",
+ EnvVars: []string{"HTTP_ADDRESS"},
+ },
+ &cli.BoolFlag{
+ Name: "debug",
+ Usage: "Enable debug mode",
+ Value: false,
+ Required: false,
+ EnvVars: []string{"DEBUG"},
+ },
+ },
+ },
+ }
+ app.RunAndExitOnError()
+}
diff --git a/bskyweb/cmd/embedr/render.go b/bskyweb/cmd/embedr/render.go
new file mode 100644
index 0000000000..cc8f0759a0
--- /dev/null
+++ b/bskyweb/cmd/embedr/render.go
@@ -0,0 +1,16 @@
+package main
+
+import (
+ "html/template"
+ "io"
+
+ "github.com/labstack/echo/v4"
+)
+
+type Template struct {
+ templates *template.Template
+}
+
+func (t *Template) Render(w io.Writer, name string, data interface{}, c echo.Context) error {
+ return t.templates.ExecuteTemplate(w, name, data)
+}
diff --git a/bskyweb/cmd/embedr/server.go b/bskyweb/cmd/embedr/server.go
new file mode 100644
index 0000000000..904b4df9a2
--- /dev/null
+++ b/bskyweb/cmd/embedr/server.go
@@ -0,0 +1,236 @@
+package main
+
+import (
+ "context"
+ "errors"
+ "fmt"
+ "html/template"
+ "io/fs"
+ "net/http"
+ "os"
+ "os/signal"
+ "strings"
+ "syscall"
+ "time"
+
+ "github.com/bluesky-social/indigo/atproto/identity"
+ "github.com/bluesky-social/indigo/util/cliutil"
+ "github.com/bluesky-social/indigo/xrpc"
+ "github.com/bluesky-social/social-app/bskyweb"
+
+ "github.com/klauspost/compress/gzhttp"
+ "github.com/klauspost/compress/gzip"
+ "github.com/labstack/echo/v4"
+ "github.com/labstack/echo/v4/middleware"
+ "github.com/urfave/cli/v2"
+)
+
+type Server struct {
+ echo *echo.Echo
+ httpd *http.Server
+ xrpcc *xrpc.Client
+ dir identity.Directory
+}
+
+func serve(cctx *cli.Context) error {
+ debug := cctx.Bool("debug")
+ httpAddress := cctx.String("http-address")
+ appviewHost := cctx.String("appview-host")
+
+ // Echo
+ e := echo.New()
+
+ // create a new session (no auth)
+ xrpcc := &xrpc.Client{
+ Client: cliutil.NewHttpClient(),
+ Host: appviewHost,
+ }
+
+ // httpd
+ var (
+ httpTimeout = 2 * time.Minute
+ httpMaxHeaderBytes = 2 * (1024 * 1024)
+ gzipMinSizeBytes = 1024 * 2
+ gzipCompressionLevel = gzip.BestSpeed
+ gzipExceptMIMETypes = []string{"image/png"}
+ )
+
+ // Wrap the server handler in a gzip handler to compress larger responses.
+ gzipHandler, err := gzhttp.NewWrapper(
+ gzhttp.MinSize(gzipMinSizeBytes),
+ gzhttp.CompressionLevel(gzipCompressionLevel),
+ gzhttp.ExceptContentTypes(gzipExceptMIMETypes),
+ )
+ if err != nil {
+ return err
+ }
+
+ //
+ // server
+ //
+ server := &Server{
+ echo: e,
+ xrpcc: xrpcc,
+ dir: identity.DefaultDirectory(),
+ }
+
+ // Create the HTTP server.
+ server.httpd = &http.Server{
+ Handler: gzipHandler(server),
+ Addr: httpAddress,
+ WriteTimeout: httpTimeout,
+ ReadTimeout: httpTimeout,
+ MaxHeaderBytes: httpMaxHeaderBytes,
+ }
+
+ e.HideBanner = true
+
+ tmpl := &Template{
+ templates: template.Must(template.ParseFS(bskyweb.EmbedrTemplateFS, "embedr-templates/*.html")),
+ }
+ e.Renderer = tmpl
+ e.HTTPErrorHandler = server.errorHandler
+
+ e.IPExtractor = echo.ExtractIPFromXFFHeader()
+
+ // SECURITY: Do not modify without due consideration.
+ e.Use(middleware.SecureWithConfig(middleware.SecureConfig{
+ ContentTypeNosniff: "nosniff",
+ // diable XFrameOptions; we're embedding here!
+ HSTSMaxAge: 31536000, // 365 days
+ // TODO:
+ // ContentSecurityPolicy
+ // XSSProtection
+ }))
+ e.Use(middleware.LoggerWithConfig(middleware.LoggerConfig{
+ // Don't log requests for static content.
+ Skipper: func(c echo.Context) bool {
+ return strings.HasPrefix(c.Request().URL.Path, "/static")
+ },
+ }))
+ e.Use(middleware.RateLimiterWithConfig(middleware.RateLimiterConfig{
+ Skipper: middleware.DefaultSkipper,
+ Store: middleware.NewRateLimiterMemoryStoreWithConfig(
+ middleware.RateLimiterMemoryStoreConfig{
+ Rate: 10, // requests per second
+ Burst: 30, // allow bursts
+ ExpiresIn: 3 * time.Minute, // garbage collect entries older than 3 minutes
+ },
+ ),
+ IdentifierExtractor: func(ctx echo.Context) (string, error) {
+ id := ctx.RealIP()
+ return id, nil
+ },
+ DenyHandler: func(c echo.Context, identifier string, err error) error {
+ return c.String(http.StatusTooManyRequests, "Your request has been rate limited. Please try again later. Contact support@bsky.app if you believe this was a mistake.\n")
+ },
+ }))
+
+ // redirect trailing slash to non-trailing slash.
+ // all of our current endpoints have no trailing slash.
+ e.Use(middleware.RemoveTrailingSlashWithConfig(middleware.TrailingSlashConfig{
+ RedirectCode: http.StatusFound,
+ }))
+
+ //
+ // configure routes
+ //
+ // static files
+ staticHandler := http.FileServer(func() http.FileSystem {
+ if debug {
+ log.Debugf("serving static file from the local file system")
+ return http.FS(os.DirFS("embedr-static"))
+ }
+ fsys, err := fs.Sub(bskyweb.EmbedrStaticFS, "embedr-static")
+ if err != nil {
+ log.Fatal(err)
+ }
+ return http.FS(fsys)
+ }())
+
+ e.GET("/robots.txt", echo.WrapHandler(staticHandler))
+ e.GET("/ips-v4", echo.WrapHandler(staticHandler))
+ e.GET("/ips-v6", echo.WrapHandler(staticHandler))
+ e.GET("/.well-known/*", echo.WrapHandler(staticHandler))
+ e.GET("/security.txt", func(c echo.Context) error {
+ return c.Redirect(http.StatusMovedPermanently, "/.well-known/security.txt")
+ })
+ e.GET("/static/*", echo.WrapHandler(http.StripPrefix("/static/", staticHandler)), func(next echo.HandlerFunc) echo.HandlerFunc {
+ return func(c echo.Context) error {
+ path := c.Request().URL.Path
+ maxAge := 1 * (60 * 60) // default is 1 hour
+
+ // Cache javascript and images files for 1 week, which works because
+ // they're always versioned (e.g. /static/js/main.64c14927.js)
+ if strings.HasPrefix(path, "/static/js/") || strings.HasPrefix(path, "/static/images/") {
+ maxAge = 7 * (60 * 60 * 24) // 1 week
+ }
+
+ c.Response().Header().Set("Cache-Control", fmt.Sprintf("public, max-age=%d", maxAge))
+ return next(c)
+ }
+ })
+
+ // actual routes
+ e.GET("/", server.WebHome)
+ e.GET("/iframe-resize.js", echo.WrapHandler(staticHandler))
+ e.GET("/embed.js", echo.WrapHandler(staticHandler))
+ e.GET("/oembed", server.WebOEmbed)
+ e.GET("/embed/:did/app.bsky.feed.post/:rkey", server.WebPostEmbed)
+
+ // Start the server.
+ log.Infof("starting server address=%s", httpAddress)
+ go func() {
+ if err := server.httpd.ListenAndServe(); err != nil {
+ if !errors.Is(err, http.ErrServerClosed) {
+ log.Errorf("HTTP server shutting down unexpectedly: %s", err)
+ }
+ }
+ }()
+
+ // Wait for a signal to exit.
+ log.Info("registering OS exit signal handler")
+ quit := make(chan struct{})
+ exitSignals := make(chan os.Signal, 1)
+ signal.Notify(exitSignals, syscall.SIGINT, syscall.SIGTERM)
+ go func() {
+ sig := <-exitSignals
+ log.Infof("received OS exit signal: %s", sig)
+
+ // Shut down the HTTP server.
+ if err := server.Shutdown(); err != nil {
+ log.Errorf("HTTP server shutdown error: %s", err)
+ }
+
+ // Trigger the return that causes an exit.
+ close(quit)
+ }()
+ <-quit
+ log.Infof("graceful shutdown complete")
+ return nil
+}
+
+func (srv *Server) ServeHTTP(rw http.ResponseWriter, req *http.Request) {
+ srv.echo.ServeHTTP(rw, req)
+}
+
+func (srv *Server) Shutdown() error {
+ log.Info("shutting down")
+
+ ctx, cancel := context.WithTimeout(context.Background(), 10*time.Second)
+ defer cancel()
+
+ return srv.httpd.Shutdown(ctx)
+}
+
+func (srv *Server) errorHandler(err error, c echo.Context) {
+ code := http.StatusInternalServerError
+ if he, ok := err.(*echo.HTTPError); ok {
+ code = he.Code
+ }
+ c.Logger().Error(err)
+ data := map[string]interface{}{
+ "statusCode": code,
+ }
+ c.Render(code, "error.html", data)
+}
diff --git a/bskyweb/cmd/embedr/snippet.go b/bskyweb/cmd/embedr/snippet.go
new file mode 100644
index 0000000000..e65f38a62d
--- /dev/null
+++ b/bskyweb/cmd/embedr/snippet.go
@@ -0,0 +1,71 @@
+package main
+
+import (
+ "bytes"
+ "fmt"
+ "html/template"
+
+ appbsky "github.com/bluesky-social/indigo/api/bsky"
+ "github.com/bluesky-social/indigo/atproto/syntax"
+)
+
+func (srv *Server) postEmbedHTML(postView *appbsky.FeedDefs_PostView) (string, error) {
+ // ensure that there isn't an injection from the URI
+ aturi, err := syntax.ParseATURI(postView.Uri)
+ if err != nil {
+ log.Error("bad AT-URI in reponse", "aturi", aturi, "err", err)
+ return "", err
+ }
+
+ post, ok := postView.Record.Val.(*appbsky.FeedPost)
+ if !ok {
+ log.Error("bad post record value", "err", err)
+ return "", err
+ }
+
+ const tpl = `{{ .PostText }}
— {{ .PostAuthor }} {{ .PostIndexedAt }} `
+
+ t, err := template.New("snippet").Parse(tpl)
+ if err != nil {
+ log.Error("template parse error", "err", err)
+ return "", err
+ }
+
+ var lang string
+ if len(post.Langs) > 0 {
+ lang = post.Langs[0]
+ }
+ var authorName string
+ if postView.Author.DisplayName != nil {
+ authorName = fmt.Sprintf("%s (@%s)", *postView.Author.DisplayName, postView.Author.Handle)
+ } else {
+ authorName = fmt.Sprintf("@%s", postView.Author.Handle)
+ }
+ fmt.Println(postView.Uri)
+ fmt.Println(fmt.Sprintf("%s", postView.Uri))
+ data := struct {
+ PostURI template.URL
+ PostCID string
+ PostLang string
+ PostText string
+ PostAuthor string
+ PostIndexedAt string
+ WidgetURL template.URL
+ }{
+ PostURI: template.URL(postView.Uri),
+ PostCID: postView.Cid,
+ PostLang: lang,
+ PostText: post.Text,
+ PostAuthor: authorName,
+ PostIndexedAt: postView.IndexedAt, // TODO: createdAt?
+ WidgetURL: template.URL("https://embed.bsky.app/static/embed.js"),
+ }
+
+ var buf bytes.Buffer
+ err = t.Execute(&buf, data)
+ if err != nil {
+ log.Error("template parse error", "err", err)
+ return "", err
+ }
+ return buf.String(), nil
+}
diff --git a/bskyweb/embedr-static/.well-known/security.txt b/bskyweb/embedr-static/.well-known/security.txt
new file mode 100644
index 0000000000..8173cb72d6
--- /dev/null
+++ b/bskyweb/embedr-static/.well-known/security.txt
@@ -0,0 +1,4 @@
+Contact: mailto:security@bsky.app
+Preferred-Languages: en
+Canonical: https://bsky.app/.well-known/security.txt
+Acknowledgements: https://github.com/bluesky-social/atproto/blob/main/CONTRIBUTORS.md
diff --git a/bskyweb/embedr-static/embed.js b/bskyweb/embedr-static/embed.js
new file mode 100644
index 0000000000..15964a76c3
--- /dev/null
+++ b/bskyweb/embedr-static/embed.js
@@ -0,0 +1 @@
+/* embed javascript widget will go here */
diff --git a/bskyweb/embedr-static/favicon-16x16.png b/bskyweb/embedr-static/favicon-16x16.png
new file mode 100644
index 0000000000..ea256e0569
Binary files /dev/null and b/bskyweb/embedr-static/favicon-16x16.png differ
diff --git a/bskyweb/embedr-static/favicon-32x32.png b/bskyweb/embedr-static/favicon-32x32.png
new file mode 100644
index 0000000000..a5ca7eed1e
Binary files /dev/null and b/bskyweb/embedr-static/favicon-32x32.png differ
diff --git a/bskyweb/embedr-static/favicon.png b/bskyweb/embedr-static/favicon.png
new file mode 100644
index 0000000000..ddf55f4c81
Binary files /dev/null and b/bskyweb/embedr-static/favicon.png differ
diff --git a/bskyweb/embedr-static/iframe-resize.js b/bskyweb/embedr-static/iframe-resize.js
new file mode 100644
index 0000000000..6bf2793df5
--- /dev/null
+++ b/bskyweb/embedr-static/iframe-resize.js
@@ -0,0 +1 @@
+/* script to resize embed ifame would go here? */
diff --git a/bskyweb/embedr-static/ips-v4 b/bskyweb/embedr-static/ips-v4
new file mode 100644
index 0000000000..087996ef9a
--- /dev/null
+++ b/bskyweb/embedr-static/ips-v4
@@ -0,0 +1,30 @@
+13.59.225.103/32
+3.18.47.21/32
+18.191.104.94/32
+3.129.134.255/32
+3.129.237.113/32
+3.138.56.230/32
+44.218.10.163/32
+54.89.116.251/32
+44.217.166.202/32
+54.208.221.149/32
+54.166.110.54/32
+54.208.146.65/32
+3.129.234.15/32
+3.138.168.48/32
+3.23.53.192/32
+52.14.89.53/32
+3.18.126.246/32
+3.136.69.4/32
+3.22.137.152/32
+3.132.247.113/32
+3.141.186.104/32
+18.222.43.214/32
+3.14.35.197/32
+3.23.182.70/32
+18.224.144.69/32
+3.129.98.29/32
+3.130.134.20/32
+3.17.197.213/32
+18.223.234.21/32
+3.20.248.177/32
diff --git a/bskyweb/embedr-static/ips-v6 b/bskyweb/embedr-static/ips-v6
new file mode 100644
index 0000000000..e69de29bb2
diff --git a/bskyweb/embedr-static/robots.txt b/bskyweb/embedr-static/robots.txt
new file mode 100644
index 0000000000..4f8510d18d
--- /dev/null
+++ b/bskyweb/embedr-static/robots.txt
@@ -0,0 +1,9 @@
+# Hello Friends!
+# If you are considering bulk or automated crawling, you may want to look in
+# to our protocol (API), including a firehose of updates. See: https://atproto.com/
+
+# By default, may crawl anything on this domain. HTTP 429 ("backoff") status
+# codes are used for rate-limiting. Up to a handful concurrent requests should
+# be ok.
+User-Agent: *
+Allow: /
diff --git a/bskyweb/embedr-templates/error.html b/bskyweb/embedr-templates/error.html
new file mode 100644
index 0000000000..5aa04c83bf
--- /dev/null
+++ b/bskyweb/embedr-templates/error.html
@@ -0,0 +1 @@
+placeholder!
diff --git a/bskyweb/embedr-templates/home.html b/bskyweb/embedr-templates/home.html
new file mode 100644
index 0000000000..f938c32d6e
--- /dev/null
+++ b/bskyweb/embedr-templates/home.html
@@ -0,0 +1,8 @@
+
+
+
+
+ embed.bsky.app homepage
+ could redirect to bsky.app? or show a "create embed" widget?
+
+
diff --git a/bskyweb/embedr-templates/oembed.html b/bskyweb/embedr-templates/oembed.html
new file mode 100644
index 0000000000..646f0a482c
--- /dev/null
+++ b/bskyweb/embedr-templates/oembed.html
@@ -0,0 +1 @@
+oembed JSON response will go here
diff --git a/bskyweb/embedr-templates/postEmbed.html b/bskyweb/embedr-templates/postEmbed.html
new file mode 100644
index 0000000000..6329b3a199
--- /dev/null
+++ b/bskyweb/embedr-templates/postEmbed.html
@@ -0,0 +1 @@
+embed post HTML will go here
diff --git a/bskyweb/static.go b/bskyweb/static.go
index a67d189f57..38adb83335 100644
--- a/bskyweb/static.go
+++ b/bskyweb/static.go
@@ -4,3 +4,6 @@ import "embed"
//go:embed static/*
var StaticFS embed.FS
+
+//go:embed embedr-static/*
+var EmbedrStaticFS embed.FS
diff --git a/bskyweb/templates.go b/bskyweb/templates.go
index ce3fa29af7..a66965aba4 100644
--- a/bskyweb/templates.go
+++ b/bskyweb/templates.go
@@ -4,3 +4,6 @@ import "embed"
//go:embed templates/*
var TemplateFS embed.FS
+
+//go:embed embedr-templates/*
+var EmbedrTemplateFS embed.FS
diff --git a/bskyweb/templates/base.html b/bskyweb/templates/base.html
index 34e5901069..cb0cea24b4 100644
--- a/bskyweb/templates/base.html
+++ b/bskyweb/templates/base.html
@@ -235,6 +235,17 @@
inset:0;
animation: rotate 500ms linear infinite;
}
+
+ @keyframes avatarHoverFadeIn {
+ from { opacity: 0; }
+ to { opacity: 1; }
+ }
+
+ @keyframes avatarHoverFadeOut {
+ from { opacity: 1; }
+ to { opacity: 0; }
+ }
+
{% include "scripts.html" %}
diff --git a/bskyweb/templates/post.html b/bskyweb/templates/post.html
index af6b768b38..d1fbea0ac3 100644
--- a/bskyweb/templates/post.html
+++ b/bskyweb/templates/post.html
@@ -36,6 +36,8 @@
+
+
{% endif -%}
{%- endblock %}
diff --git a/docs/build.md b/docs/build.md
index d1f9f93b5a..0eb2315098 100644
--- a/docs/build.md
+++ b/docs/build.md
@@ -83,11 +83,10 @@ To run the build with Go, use staging credentials, your own, or any other accoun
```
cd social-app
yarn && yarn build-web
-cp ./web-build/static/js/*.* bskyweb/static/js/
cd bskyweb/
go mod tidy
go build -v -tags timetzdata -o bskyweb ./cmd/bskyweb
-./bskyweb serve --pds-host=https://staging.bsky.dev --handle= --password=
+./bskyweb serve --appview-host=https://public.api.bsky.app
```
On build success, access the application at [http://localhost:8100/](http://localhost:8100/). Subsequent changes require re-running the above steps in order to be reflected.
diff --git a/package.json b/package.json
index 5eaba7a972..21e632aa45 100644
--- a/package.json
+++ b/package.json
@@ -20,6 +20,7 @@
"build-ios": "yarn use-build-number-with-bump eas build -p ios",
"build-android": "yarn use-build-number-with-bump eas build -p android",
"build": "yarn use-build-number-with-bump eas build",
+ "build-embed": "cd bskyembed && yarn build && yarn build-snippet && cd .. && node ./scripts/post-embed-build.js",
"start": "expo start --dev-client",
"start:prod": "expo start --dev-client --no-dev --minify",
"clean-cache": "rm -rf node_modules/.cache/babel-loader/*",
@@ -56,6 +57,8 @@
"@emoji-mart/react": "^1.1.1",
"@expo/html-elements": "^0.4.2",
"@expo/webpack-config": "^19.0.0",
+ "@floating-ui/dom": "^1.6.3",
+ "@floating-ui/react-dom": "^2.0.8",
"@fortawesome/fontawesome-svg-core": "^6.1.1",
"@fortawesome/free-regular-svg-icons": "^6.1.1",
"@fortawesome/free-solid-svg-icons": "^6.1.1",
@@ -121,6 +124,7 @@
"expo-linking": "^6.2.2",
"expo-localization": "~14.8.3",
"expo-media-library": "~15.9.1",
+ "expo-navigation-bar": "~2.8.1",
"expo-notifications": "~0.27.6",
"expo-sharing": "^11.10.0",
"expo-splash-screen": "~0.26.4",
diff --git a/scripts/post-embed-build.js b/scripts/post-embed-build.js
new file mode 100644
index 0000000000..c0897e1b70
--- /dev/null
+++ b/scripts/post-embed-build.js
@@ -0,0 +1,65 @@
+const path = require('node:path')
+const fs = require('node:fs')
+
+const projectRoot = path.join(__dirname, '..')
+
+// copy embed assets to embedr
+
+const embedAssetSource = path.join(projectRoot, 'bskyembed', 'dist', 'static')
+
+const embedAssetDest = path.join(projectRoot, 'bskyweb', 'embedr-static')
+
+fs.cpSync(embedAssetSource, embedAssetDest, {recursive: true})
+
+const embedEmbedJSSource = path.join(
+ projectRoot,
+ 'bskyembed',
+ 'dist',
+ 'embed.js',
+)
+
+const embedEmbedJSDest = path.join(
+ projectRoot,
+ 'bskyweb',
+ 'embedr-static',
+ 'embed.js',
+)
+
+fs.cpSync(embedEmbedJSSource, embedEmbedJSDest)
+
+// copy entrypoint(s) to embedr
+
+// additional entrypoints will need more work, but this'll do for now
+const embedHomeHtmlSource = path.join(
+ projectRoot,
+ 'bskyembed',
+ 'dist',
+ 'index.html',
+)
+
+const embedHomeHtmlDest = path.join(
+ projectRoot,
+ 'bskyweb',
+ 'embedr-templates',
+ 'home.html',
+)
+
+fs.copyFileSync(embedHomeHtmlSource, embedHomeHtmlDest)
+
+const embedPostHtmlSource = path.join(
+ projectRoot,
+ 'bskyembed',
+ 'dist',
+ 'post.html',
+)
+
+const embedPostHtmlDest = path.join(
+ projectRoot,
+ 'bskyweb',
+ 'embedr-templates',
+ 'postEmbed.html',
+)
+
+fs.copyFileSync(embedPostHtmlSource, embedPostHtmlDest)
+
+console.log(`Copied embed assets to embedr`)
diff --git a/src/App.native.tsx b/src/App.native.tsx
index 9abe4a559d..ede587c899 100644
--- a/src/App.native.tsx
+++ b/src/App.native.tsx
@@ -19,7 +19,6 @@ import {init as initPersistedState} from '#/state/persisted'
import * as persisted from '#/state/persisted'
import {Provider as LabelDefsProvider} from '#/state/preferences/label-defs'
import {useIntentHandler} from 'lib/hooks/useIntentHandler'
-import {useOTAUpdates} from 'lib/hooks/useOTAUpdates'
import {useNotificationsListener} from 'lib/notifications/notifications'
import {QueryProvider} from 'lib/react-query'
import {s} from 'lib/styles'
@@ -58,7 +57,6 @@ function InnerApp() {
const {_} = useLingui()
useIntentHandler()
- useOTAUpdates()
// init
useEffect(() => {
diff --git a/src/Navigation.tsx b/src/Navigation.tsx
index 070c57960d..99c0ebf3c3 100644
--- a/src/Navigation.tsx
+++ b/src/Navigation.tsx
@@ -193,7 +193,7 @@ function commonScreens(Stack: typeof HomeTab, unreadCountLabel?: string) {
ProfileFeedScreen}
- options={{title: title(msg`Feed`), requireAuth: true}}
+ options={{title: title(msg`Feed`)}}
/>
- HomeScreen}
- options={{requireAuth: true}}
- />
+ HomeScreen} />
{commonScreens(HomeTab)}
)
@@ -371,11 +367,7 @@ function FeedsTabNavigator() {
animationDuration: 250,
contentStyle: pal.view,
}}>
- FeedsScreen}
- options={{requireAuth: true}}
- />
+ FeedsScreen} />
{commonScreens(FeedsTab as typeof HomeTab)}
)
@@ -451,7 +443,7 @@ const FlatNavigator = () => {
HomeScreen}
- options={{title: title(msg`Home`), requireAuth: true}}
+ options={{title: title(msg`Home`)}}
/>
{
FeedsScreen}
- options={{title: title(msg`Feeds`), requireAuth: true}}
+ options={{title: title(msg`Feeds`)}}
/>
[0]) => {
+ if (!value) return
+ if (sanitizedLang !== value) {
+ setLangPrefs.setAppLanguage(sanitizeAppLanguageSetting(value))
+ }
+ setLangPrefs.setPrimaryLanguage(value)
+ setLangPrefs.setContentLanguage(value)
+
+ // reset feeds to refetch content
+ resetPostsFeedQueries(queryClient)
+ },
+ [sanitizedLang, setLangPrefs, queryClient],
+ )
+
+ return (
+
+ Boolean(l.code2)).map(l => ({
+ label: l.name,
+ value: l.code2,
+ key: l.code2,
+ }))}
+ useNativeAndroidPickerStyle={false}
+ style={{
+ inputAndroid: {
+ color: t.atoms.text_contrast_medium.color,
+ fontSize: 16,
+ paddingRight: 12 + 4,
+ },
+ inputIOS: {
+ color: t.atoms.text.color,
+ fontSize: 16,
+ paddingRight: 12 + 4,
+ },
+ }}
+ />
+
+
+
+
+
+ )
+}
diff --git a/src/components/AppLanguageDropdown.web.tsx b/src/components/AppLanguageDropdown.web.tsx
new file mode 100644
index 0000000000..aea1b2b900
--- /dev/null
+++ b/src/components/AppLanguageDropdown.web.tsx
@@ -0,0 +1,79 @@
+import React from 'react'
+import {View} from 'react-native'
+import {useQueryClient} from '@tanstack/react-query'
+
+import {sanitizeAppLanguageSetting} from '#/locale/helpers'
+import {APP_LANGUAGES} from '#/locale/languages'
+import {useLanguagePrefs, useLanguagePrefsApi} from '#/state/preferences'
+import {resetPostsFeedQueries} from '#/state/queries/post-feed'
+import {atoms as a, useTheme} from '#/alf'
+import {ChevronBottom_Stroke2_Corner0_Rounded as ChevronDown} from '#/components/icons/Chevron'
+import {Text} from '#/components/Typography'
+
+export function AppLanguageDropdown() {
+ const t = useTheme()
+
+ const queryClient = useQueryClient()
+ const langPrefs = useLanguagePrefs()
+ const setLangPrefs = useLanguagePrefsApi()
+
+ const sanitizedLang = sanitizeAppLanguageSetting(langPrefs.appLanguage)
+
+ const onChangeAppLanguage = React.useCallback(
+ (ev: React.ChangeEvent) => {
+ const value = ev.target.value
+
+ if (!value) return
+ if (sanitizedLang !== value) {
+ setLangPrefs.setAppLanguage(sanitizeAppLanguageSetting(value))
+ }
+ setLangPrefs.setPrimaryLanguage(value)
+ setLangPrefs.setContentLanguage(value)
+
+ // reset feeds to refetch content
+ resetPostsFeedQueries(queryClient)
+ },
+ [sanitizedLang, setLangPrefs, queryClient],
+ )
+
+ return (
+
+
+ {APP_LANGUAGES.find(l => l.code2 === sanitizedLang)?.name}
+
+
+
+
+ {APP_LANGUAGES.filter(l => Boolean(l.code2)).map(l => (
+
+ {l.name}
+
+ ))}
+
+
+ )
+}
diff --git a/src/components/ProfileHoverCard/index.tsx b/src/components/ProfileHoverCard/index.tsx
new file mode 100644
index 0000000000..980336ee4a
--- /dev/null
+++ b/src/components/ProfileHoverCard/index.tsx
@@ -0,0 +1,5 @@
+import {ProfileHoverCardProps} from './types'
+
+export function ProfileHoverCard({children}: ProfileHoverCardProps) {
+ return children
+}
diff --git a/src/components/ProfileHoverCard/index.web.tsx b/src/components/ProfileHoverCard/index.web.tsx
new file mode 100644
index 0000000000..370baccbb7
--- /dev/null
+++ b/src/components/ProfileHoverCard/index.web.tsx
@@ -0,0 +1,399 @@
+import React from 'react'
+import {View} from 'react-native'
+import {AppBskyActorDefs, moderateProfile, ModerationOpts} from '@atproto/api'
+import {flip, offset, shift, size, useFloating} from '@floating-ui/react-dom'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+
+import {makeProfileLink} from '#/lib/routes/links'
+import {sanitizeDisplayName} from '#/lib/strings/display-names'
+import {sanitizeHandle} from '#/lib/strings/handles'
+import {pluralize} from '#/lib/strings/helpers'
+import {useModerationOpts} from '#/state/queries/preferences'
+import {usePrefetchProfileQuery, useProfileQuery} from '#/state/queries/profile'
+import {useSession} from '#/state/session'
+import {useProfileShadow} from 'state/cache/profile-shadow'
+import {formatCount} from '#/view/com/util/numeric/format'
+import {UserAvatar} from '#/view/com/util/UserAvatar'
+import {ProfileHeaderHandle} from '#/screens/Profile/Header/Handle'
+import {atoms as a, useTheme} from '#/alf'
+import {Button, ButtonIcon, ButtonText} from '#/components/Button'
+import {useFollowMethods} from '#/components/hooks/useFollowMethods'
+import {useRichText} from '#/components/hooks/useRichText'
+import {Check_Stroke2_Corner0_Rounded as Check} from '#/components/icons/Check'
+import {PlusLarge_Stroke2_Corner0_Rounded as Plus} from '#/components/icons/Plus'
+import {InlineLinkText, Link} from '#/components/Link'
+import {Loader} from '#/components/Loader'
+import {Portal} from '#/components/Portal'
+import {RichText} from '#/components/RichText'
+import {Text} from '#/components/Typography'
+import {ProfileHoverCardProps} from './types'
+
+const floatingMiddlewares = [
+ offset(4),
+ flip({padding: 16}),
+ shift({padding: 16}),
+ size({
+ padding: 16,
+ apply({availableWidth, availableHeight, elements}) {
+ Object.assign(elements.floating.style, {
+ maxWidth: `${availableWidth}px`,
+ maxHeight: `${availableHeight}px`,
+ })
+ },
+ }),
+]
+
+const isTouchDevice = 'ontouchstart' in window || navigator.maxTouchPoints > 0
+
+export function ProfileHoverCard(props: ProfileHoverCardProps) {
+ return isTouchDevice ? props.children :
+}
+
+type State = {
+ stage: 'hidden' | 'might-show' | 'showing' | 'might-hide' | 'hiding'
+ effect?: () => () => any
+}
+
+type Action =
+ | 'pressed'
+ | 'hovered'
+ | 'unhovered'
+ | 'show-timer-elapsed'
+ | 'hide-timer-elapsed'
+ | 'hide-animation-completed'
+
+const SHOW_DELAY = 350
+const SHOW_DURATION = 300
+const HIDE_DELAY = 200
+const HIDE_DURATION = 200
+
+export function ProfileHoverCardInner(props: ProfileHoverCardProps) {
+ const {refs, floatingStyles} = useFloating({
+ middleware: floatingMiddlewares,
+ })
+
+ const [currentState, dispatch] = React.useReducer(
+ // Tip: console.log(state, action) when debugging.
+ (state: State, action: Action): State => {
+ // Regardless of which stage we're in, pressing always hides the card.
+ if (action === 'pressed') {
+ return {stage: 'hidden'}
+ }
+
+ if (state.stage === 'hidden') {
+ // Our story starts when the card is hidden.
+ // If the user hovers, we kick off a grace period before showing the card.
+ if (action === 'hovered') {
+ return {
+ stage: 'might-show',
+ effect() {
+ const id = setTimeout(
+ () => dispatch('show-timer-elapsed'),
+ SHOW_DELAY,
+ )
+ return () => {
+ clearTimeout(id)
+ }
+ },
+ }
+ }
+ }
+
+ if (state.stage === 'might-show') {
+ // We're in the grace period when we decide whether to show the card.
+ // At this point, two things can happen. Either the user unhovers, and
+ // we go back to hidden--or they linger enough that we'll show the card.
+ if (action === 'unhovered') {
+ return {stage: 'hidden'}
+ }
+ if (action === 'show-timer-elapsed') {
+ return {stage: 'showing'}
+ }
+ }
+
+ if (state.stage === 'showing') {
+ // We're showing the card now.
+ // If the user unhovers, we'll start a grace period before hiding the card.
+ if (action === 'unhovered') {
+ return {
+ stage: 'might-hide',
+ effect() {
+ const id = setTimeout(
+ () => dispatch('hide-timer-elapsed'),
+ HIDE_DELAY,
+ )
+ return () => clearTimeout(id)
+ },
+ }
+ }
+ }
+
+ if (state.stage === 'might-hide') {
+ // We're in the grace period when we decide whether to hide the card.
+ // At this point, two things can happen. Either the user hovers, and
+ // we go back to showing it--or they linger enough that we'll start hiding the card.
+ if (action === 'hovered') {
+ return {stage: 'showing'}
+ }
+ if (action === 'hide-timer-elapsed') {
+ return {
+ stage: 'hiding',
+ effect() {
+ const id = setTimeout(
+ () => dispatch('hide-animation-completed'),
+ HIDE_DURATION,
+ )
+ return () => clearTimeout(id)
+ },
+ }
+ }
+ }
+
+ if (state.stage === 'hiding') {
+ // We're currently playing the hiding animation.
+ // We'll ignore all inputs now and wait for the animation to finish.
+ // At that point, we'll hide the entire thing, going back to square one.
+ if (action === 'hide-animation-completed') {
+ return {stage: 'hidden'}
+ }
+ }
+
+ // Something else happened. Keep calm and carry on.
+ return state
+ },
+ {stage: 'hidden'},
+ )
+
+ React.useEffect(() => {
+ if (currentState.effect) {
+ const effect = currentState.effect
+ delete currentState.effect // Mark as completed
+ return effect()
+ }
+ }, [currentState])
+
+ const prefetchProfileQuery = usePrefetchProfileQuery()
+ const prefetchedProfile = React.useRef(false)
+ const prefetchIfNeeded = React.useCallback(async () => {
+ if (!prefetchedProfile.current) {
+ prefetchedProfile.current = true
+ prefetchProfileQuery(props.did)
+ }
+ }, [prefetchProfileQuery, props.did])
+
+ const onPointerEnterTarget = React.useCallback(() => {
+ prefetchIfNeeded()
+ dispatch('hovered')
+ }, [prefetchIfNeeded])
+
+ const onPointerLeaveTarget = React.useCallback(() => {
+ dispatch('unhovered')
+ }, [])
+
+ const onPointerEnterCard = React.useCallback(() => {
+ dispatch('hovered')
+ }, [])
+
+ const onPointerLeaveCard = React.useCallback(() => {
+ dispatch('unhovered')
+ }, [])
+
+ const onPress = React.useCallback(() => {
+ dispatch('pressed')
+ }, [])
+
+ const isVisible =
+ currentState.stage === 'showing' ||
+ currentState.stage === 'might-hide' ||
+ currentState.stage === 'hiding'
+
+ const animationStyle = {
+ animation:
+ currentState.stage === 'hiding'
+ ? `avatarHoverFadeOut ${HIDE_DURATION}ms both`
+ : `avatarHoverFadeIn ${SHOW_DURATION}ms both`,
+ }
+
+ return (
+
+ {props.children}
+ {isVisible && (
+
+
+
+ )}
+
+ )
+}
+
+let Card = ({did, hide}: {did: string; hide: () => void}): React.ReactNode => {
+ const t = useTheme()
+
+ const profile = useProfileQuery({did})
+ const moderationOpts = useModerationOpts()
+
+ const data = profile.data
+
+ return (
+
+ {data && moderationOpts ? (
+
+ ) : (
+
+
+
+ )}
+
+ )
+}
+Card = React.memo(Card)
+
+function Inner({
+ profile,
+ moderationOpts,
+ hide,
+}: {
+ profile: AppBskyActorDefs.ProfileViewDetailed
+ moderationOpts: ModerationOpts
+ hide: () => void
+}) {
+ const t = useTheme()
+ const {_} = useLingui()
+ const {currentAccount} = useSession()
+ const moderation = React.useMemo(
+ () => moderateProfile(profile, moderationOpts),
+ [profile, moderationOpts],
+ )
+ const [descriptionRT] = useRichText(profile.description ?? '')
+ const profileShadow = useProfileShadow(profile)
+ const {follow, unfollow} = useFollowMethods({
+ profile: profileShadow,
+ logContext: 'ProfileHoverCard',
+ })
+ const blockHide = profile.viewer?.blocking || profile.viewer?.blockedBy
+ const following = formatCount(profile.followsCount || 0)
+ const followers = formatCount(profile.followersCount || 0)
+ const pluralizedFollowers = pluralize(profile.followersCount || 0, 'follower')
+ const profileURL = makeProfileLink({
+ did: profile.did,
+ handle: profile.handle,
+ })
+ const isMe = React.useMemo(
+ () => currentAccount?.did === profile.did,
+ [currentAccount, profile],
+ )
+
+ return (
+
+
+
+
+
+
+ {!isMe && (
+
+
+
+ {profileShadow.viewer?.following ? _('Following') : _('Follow')}
+
+
+ )}
+
+
+
+
+
+ {sanitizeDisplayName(
+ profile.displayName || sanitizeHandle(profile.handle),
+ moderation.ui('displayName'),
+ )}
+
+
+
+
+
+
+ {!blockHide && (
+ <>
+
+
+
+ {followers}
+
+ {pluralizedFollowers}
+
+
+
+
+
+ {following}
+ following
+
+
+
+
+ {profile.description?.trim() && !moderation.ui('profileView').blur ? (
+
+
+
+ ) : undefined}
+ >
+ )}
+
+ )
+}
diff --git a/src/components/ProfileHoverCard/types.ts b/src/components/ProfileHoverCard/types.ts
new file mode 100644
index 0000000000..a62279c96c
--- /dev/null
+++ b/src/components/ProfileHoverCard/types.ts
@@ -0,0 +1,7 @@
+import React from 'react'
+
+export type ProfileHoverCardProps = {
+ children: React.ReactElement
+ did: string
+ inline?: boolean
+}
diff --git a/src/components/RichText.tsx b/src/components/RichText.tsx
index 5cfa0b24f9..82cdda1076 100644
--- a/src/components/RichText.tsx
+++ b/src/components/RichText.tsx
@@ -7,7 +7,8 @@ import {toShortUrl} from '#/lib/strings/url-helpers'
import {isNative} from '#/platform/detection'
import {atoms as a, flatten, native, TextStyleProp, useTheme, web} from '#/alf'
import {useInteractionState} from '#/components/hooks/useInteractionState'
-import {InlineLinkText} from '#/components/Link'
+import {InlineLinkText, LinkProps} from '#/components/Link'
+import {ProfileHoverCard} from '#/components/ProfileHoverCard'
import {TagMenu, useTagMenuControl} from '#/components/TagMenu'
import {Text, TextProps} from '#/components/Typography'
@@ -22,6 +23,7 @@ export function RichText({
selectable,
enableTags = false,
authorHandle,
+ onLinkPress,
}: TextStyleProp &
Pick & {
value: RichTextAPI | string
@@ -30,6 +32,7 @@ export function RichText({
disableLinks?: boolean
enableTags?: boolean
authorHandle?: string
+ onLinkPress?: LinkProps['onPress']
}) {
const richText = React.useMemo(
() =>
@@ -84,15 +87,17 @@ export function RichText({
!disableLinks
) {
els.push(
-
- {segment.text}
- ,
+
+
+ {segment.text}
+
+ ,
)
} else if (link && AppBskyRichtextFacet.validateLink(link).success) {
if (disableLinks) {
@@ -106,7 +111,8 @@ export function RichText({
style={[...styles, {pointerEvents: 'auto'}]}
// @ts-ignore TODO
dataSet={WORD_WRAP}
- shareOnLongPress>
+ shareOnLongPress
+ onPress={onLinkPress}>
{toShortUrl(segment.text)}
,
)
diff --git a/src/components/dialogs/Context.tsx b/src/components/dialogs/Context.tsx
index 87bd5c2ed7..c9dff9a999 100644
--- a/src/components/dialogs/Context.tsx
+++ b/src/components/dialogs/Context.tsx
@@ -6,10 +6,12 @@ type Control = Dialog.DialogOuterProps['control']
type ControlsContext = {
mutedWordsDialogControl: Control
+ signinDialogControl: Control
}
const ControlsContext = React.createContext({
mutedWordsDialogControl: {} as Control,
+ signinDialogControl: {} as Control,
})
export function useGlobalDialogsControlContext() {
@@ -18,9 +20,10 @@ export function useGlobalDialogsControlContext() {
export function Provider({children}: React.PropsWithChildren<{}>) {
const mutedWordsDialogControl = Dialog.useDialogControl()
+ const signinDialogControl = Dialog.useDialogControl()
const ctx = React.useMemo(
- () => ({mutedWordsDialogControl}),
- [mutedWordsDialogControl],
+ () => ({mutedWordsDialogControl, signinDialogControl}),
+ [mutedWordsDialogControl, signinDialogControl],
)
return (
diff --git a/src/components/dialogs/Embed.tsx b/src/components/dialogs/Embed.tsx
new file mode 100644
index 0000000000..7d858cae40
--- /dev/null
+++ b/src/components/dialogs/Embed.tsx
@@ -0,0 +1,195 @@
+import React, {memo, useRef, useState} from 'react'
+import {TextInput, View} from 'react-native'
+import {AppBskyActorDefs, AppBskyFeedPost, AtUri} from '@atproto/api'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+
+import {EMBED_SCRIPT} from '#/lib/constants'
+import {niceDate} from '#/lib/strings/time'
+import {toShareUrl} from '#/lib/strings/url-helpers'
+import {atoms as a, useTheme} from '#/alf'
+import * as Dialog from '#/components/Dialog'
+import * as TextField from '#/components/forms/TextField'
+import {Check_Stroke2_Corner0_Rounded as Check} from '#/components/icons/Check'
+import {CodeBrackets_Stroke2_Corner0_Rounded as CodeBrackets} from '#/components/icons/CodeBrackets'
+import {Text} from '#/components/Typography'
+import {Button, ButtonIcon, ButtonText} from '../Button'
+
+type EmbedDialogProps = {
+ control: Dialog.DialogControlProps
+ postAuthor: AppBskyActorDefs.ProfileViewBasic
+ postCid: string
+ postUri: string
+ record: AppBskyFeedPost.Record
+ timestamp: string
+}
+
+let EmbedDialog = ({control, ...rest}: EmbedDialogProps): React.ReactNode => {
+ return (
+
+
+
+
+ )
+}
+EmbedDialog = memo(EmbedDialog)
+export {EmbedDialog}
+
+function EmbedDialogInner({
+ postAuthor,
+ postCid,
+ postUri,
+ record,
+ timestamp,
+}: Omit) {
+ const t = useTheme()
+ const {_} = useLingui()
+ const ref = useRef(null)
+ const [copied, setCopied] = useState(false)
+
+ // reset copied state after 2 seconds
+ React.useEffect(() => {
+ if (copied) {
+ const timeout = setTimeout(() => {
+ setCopied(false)
+ }, 2000)
+ return () => clearTimeout(timeout)
+ }
+ }, [copied])
+
+ const snippet = React.useMemo(() => {
+ function toEmbedUrl(href: string) {
+ return toShareUrl(href) + '?ref_src=embed'
+ }
+
+ const lang = record.langs && record.langs.length > 0 ? record.langs[0] : ''
+ const profileHref = toEmbedUrl(['/profile', postAuthor.did].join('/'))
+ const urip = new AtUri(postUri)
+ const href = toEmbedUrl(
+ ['/profile', postAuthor.did, 'post', urip.rkey].join('/'),
+ )
+
+ // x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x
+ // DO NOT ADD ANY NEW INTERPOLATIONS BELOW WITHOUT ESCAPING THEM!
+ // Also, keep this code synced with the bskyembed code in landing.tsx.
+ // x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x-x
+ return `${escapeHtml(record.text)}${
+ record.embed
+ ? `[image or embed] `
+ : ''
+ }
— ${escapeHtml(
+ postAuthor.displayName || postAuthor.handle,
+ )} (@${escapeHtml(
+ postAuthor.handle,
+ )} ) ${escapeHtml(
+ niceDate(timestamp),
+ )} `
+ }, [postUri, postCid, record, timestamp, postAuthor])
+
+ return (
+
+
+
+ Embed post
+
+
+
+ Embed this post in your website. Simply copy the following snippet
+ and paste it into the HTML code of your website.
+
+
+
+
+
+
+
+
+
+ {
+ ref.current?.focus()
+ ref.current?.setSelection(0, snippet.length)
+ navigator.clipboard.writeText(snippet)
+ setCopied(true)
+ }}>
+ {copied ? (
+ <>
+
+
+ Copied!
+
+ >
+ ) : (
+
+ Copy code
+
+ )}
+
+
+
+
+ )
+}
+
+/**
+ * Based on a snippet of code from React, which itself was based on the escape-html library.
+ * Copyright (c) Meta Platforms, Inc. and affiliates
+ * Copyright (c) 2012-2013 TJ Holowaychuk
+ * Copyright (c) 2015 Andreas Lubbe
+ * Copyright (c) 2015 Tiancheng "Timothy" Gu
+ * Licensed as MIT.
+ */
+const matchHtmlRegExp = /["'&<>]/
+function escapeHtml(string: string) {
+ const str = String(string)
+ const match = matchHtmlRegExp.exec(str)
+ if (!match) {
+ return str
+ }
+ let escape
+ let html = ''
+ let index
+ let lastIndex = 0
+ for (index = match.index; index < str.length; index++) {
+ switch (str.charCodeAt(index)) {
+ case 34: // "
+ escape = '"'
+ break
+ case 38: // &
+ escape = '&'
+ break
+ case 39: // '
+ escape = '''
+ break
+ case 60: // <
+ escape = '<'
+ break
+ case 62: // >
+ escape = '>'
+ break
+ default:
+ continue
+ }
+ if (lastIndex !== index) {
+ html += str.slice(lastIndex, index)
+ }
+ lastIndex = index + 1
+ html += escape
+ }
+ return lastIndex !== index ? html + str.slice(lastIndex, index) : html
+}
diff --git a/src/components/dialogs/Signin.tsx b/src/components/dialogs/Signin.tsx
new file mode 100644
index 0000000000..b9c939e94b
--- /dev/null
+++ b/src/components/dialogs/Signin.tsx
@@ -0,0 +1,110 @@
+import React from 'react'
+import {View} from 'react-native'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+
+import {isNative} from '#/platform/detection'
+import {useLoggedOutViewControls} from '#/state/shell/logged-out'
+import {useCloseAllActiveElements} from '#/state/util'
+import {Logo} from '#/view/icons/Logo'
+import {Logotype} from '#/view/icons/Logotype'
+import {atoms as a, useBreakpoints, useTheme} from '#/alf'
+import {Button, ButtonText} from '#/components/Button'
+import * as Dialog from '#/components/Dialog'
+import {useGlobalDialogsControlContext} from '#/components/dialogs/Context'
+import {Text} from '#/components/Typography'
+
+export function SigninDialog() {
+ const {signinDialogControl: control} = useGlobalDialogsControlContext()
+ return (
+
+
+
+
+ )
+}
+
+function SigninDialogInner({}: {control: Dialog.DialogOuterProps['control']}) {
+ const t = useTheme()
+ const {_} = useLingui()
+ const {gtMobile} = useBreakpoints()
+ const {requestSwitchToAccount} = useLoggedOutViewControls()
+ const closeAllActiveElements = useCloseAllActiveElements()
+
+ const showSignIn = React.useCallback(() => {
+ closeAllActiveElements()
+ requestSwitchToAccount({requestedAccount: 'none'})
+ }, [requestSwitchToAccount, closeAllActiveElements])
+
+ const showCreateAccount = React.useCallback(() => {
+ closeAllActiveElements()
+ requestSwitchToAccount({requestedAccount: 'new'})
+ }, [requestSwitchToAccount, closeAllActiveElements])
+
+ return (
+
+
+
+
+
+
+
+
+
+
+
+ Sign in or create your account to join the conversation!
+
+
+
+
+
+
+ Create an account
+
+
+
+
+
+ Sign in
+
+
+
+
+ {isNative && }
+
+
+
+
+ )
+}
diff --git a/src/components/forms/HostingProvider.tsx b/src/components/forms/HostingProvider.tsx
index 4f3767ece1..6cbabe2911 100644
--- a/src/components/forms/HostingProvider.tsx
+++ b/src/components/forms/HostingProvider.tsx
@@ -41,7 +41,7 @@ export function HostingProvider({
onSelect={onSelectServiceUrl}
/>
+ logContext: LogEvents['profile:follow']['logContext'] &
+ LogEvents['profile:unfollow']['logContext']
+}) {
+ const {_} = useLingui()
+ const requireAuth = useRequireAuth()
+ const [queueFollow, queueUnfollow] = useProfileFollowMutationQueue(
+ profile,
+ logContext,
+ )
+
+ const follow = React.useCallback(() => {
+ requireAuth(async () => {
+ try {
+ await queueFollow()
+ } catch (e: any) {
+ logger.error(`useFollowMethods: failed to follow`, {message: String(e)})
+ if (e?.name !== 'AbortError') {
+ Toast.show(_(msg`An issue occurred, please try again.`))
+ }
+ }
+ })
+ }, [_, queueFollow, requireAuth])
+
+ const unfollow = React.useCallback(() => {
+ requireAuth(async () => {
+ try {
+ await queueUnfollow()
+ } catch (e: any) {
+ logger.error(`useFollowMethods: failed to unfollow`, {
+ message: String(e),
+ })
+ if (e?.name !== 'AbortError') {
+ Toast.show(_(msg`An issue occurred, please try again.`))
+ }
+ }
+ })
+ }, [_, queueUnfollow, requireAuth])
+
+ return {
+ follow,
+ unfollow,
+ }
+}
diff --git a/src/components/hooks/useRichText.ts b/src/components/hooks/useRichText.ts
new file mode 100644
index 0000000000..e363ae5a93
--- /dev/null
+++ b/src/components/hooks/useRichText.ts
@@ -0,0 +1,33 @@
+import React from 'react'
+import {RichText as RichTextAPI} from '@atproto/api'
+
+import {getAgent} from '#/state/session'
+
+export function useRichText(text: string): [RichTextAPI, boolean] {
+ const [prevText, setPrevText] = React.useState(text)
+ const [rawRT, setRawRT] = React.useState(() => new RichTextAPI({text}))
+ const [resolvedRT, setResolvedRT] = React.useState(null)
+ if (text !== prevText) {
+ setPrevText(text)
+ setRawRT(new RichTextAPI({text}))
+ setResolvedRT(null)
+ // This will queue an immediate re-render
+ }
+ React.useEffect(() => {
+ let ignore = false
+ async function resolveRTFacets() {
+ // new each time
+ const resolvedRT = new RichTextAPI({text})
+ await resolvedRT.detectFacets(getAgent())
+ if (!ignore) {
+ setResolvedRT(resolvedRT)
+ }
+ }
+ resolveRTFacets()
+ return () => {
+ ignore = true
+ }
+ }, [text])
+ const isResolving = resolvedRT === null
+ return [resolvedRT ?? rawRT, isResolving]
+}
diff --git a/src/components/icons/CodeBrackets.tsx b/src/components/icons/CodeBrackets.tsx
new file mode 100644
index 0000000000..59d5fca900
--- /dev/null
+++ b/src/components/icons/CodeBrackets.tsx
@@ -0,0 +1,5 @@
+import {createSinglePathSVG} from './TEMPLATE'
+
+export const CodeBrackets_Stroke2_Corner0_Rounded = createSinglePathSVG({
+ path: 'M14.242 3.03a1 1 0 0 1 .728 1.213l-4 16a1 1 0 1 1-1.94-.485l4-16a1 1 0 0 1 1.213-.728ZM6.707 7.293a1 1 0 0 1 0 1.414L3.414 12l3.293 3.293a1 1 0 1 1-1.414 1.414l-4-4a1 1 0 0 1 0-1.414l4-4a1 1 0 0 1 1.414 0Zm10.586 0a1 1 0 0 1 1.414 0l4 4a1 1 0 0 1 0 1.414l-4 4a1 1 0 1 1-1.414-1.414L20.586 12l-3.293-3.293a1 1 0 0 1 0-1.414Z',
+})
diff --git a/src/lib/api/feed-manip.ts b/src/lib/api/feed-manip.ts
index 227062592b..85089608a7 100644
--- a/src/lib/api/feed-manip.ts
+++ b/src/lib/api/feed-manip.ts
@@ -1,11 +1,12 @@
import {
+ AppBskyEmbedRecord,
+ AppBskyEmbedRecordWithMedia,
AppBskyFeedDefs,
AppBskyFeedPost,
- AppBskyEmbedRecordWithMedia,
- AppBskyEmbedRecord,
} from '@atproto/api'
-import {ReasonFeedSource} from './feed/types'
+
import {isPostInLanguage} from '../../locale/helpers'
+import {ReasonFeedSource} from './feed/types'
type FeedViewPost = AppBskyFeedDefs.FeedViewPost
export type FeedTunerFn = (
@@ -341,6 +342,8 @@ export class FeedTuner {
tuner: FeedTuner,
slices: FeedViewPostsSlice[],
): FeedViewPostsSlice[] => {
+ const candidateSlices = slices.slice()
+
// early return if no languages have been specified
if (!preferredLangsCode2.length || preferredLangsCode2.length === 0) {
return slices
@@ -357,10 +360,17 @@ export class FeedTuner {
// if item does not fit preferred language, remove it
if (!hasPreferredLang) {
- slices.splice(i, 1)
+ candidateSlices.splice(i, 1)
}
}
- return slices
+
+ // if the language filter cleared out the entire page, return the original set
+ // so that something always shows
+ if (candidateSlices.length === 0) {
+ return slices
+ }
+
+ return candidateSlices
}
}
}
diff --git a/src/lib/api/feed/custom.ts b/src/lib/api/feed/custom.ts
index 41c5367e57..bd30d58acb 100644
--- a/src/lib/api/feed/custom.ts
+++ b/src/lib/api/feed/custom.ts
@@ -1,10 +1,12 @@
import {
AppBskyFeedDefs,
AppBskyFeedGetFeed as GetCustomFeed,
+ AtpAgent,
} from '@atproto/api'
-import {FeedAPI, FeedAPIResponse} from './types'
-import {getAgent} from '#/state/session'
+
import {getContentLanguages} from '#/state/preferences/languages'
+import {getAgent} from '#/state/session'
+import {FeedAPI, FeedAPIResponse} from './types'
export class CustomFeedAPI implements FeedAPI {
constructor(public params: GetCustomFeed.QueryParams) {}
@@ -29,14 +31,17 @@ export class CustomFeedAPI implements FeedAPI {
limit: number
}): Promise {
const contentLangs = getContentLanguages().join(',')
- const res = await getAgent().app.bsky.feed.getFeed(
- {
- ...this.params,
- cursor,
- limit,
- },
- {headers: {'Accept-Language': contentLangs}},
- )
+ const agent = getAgent()
+ const res = agent.session
+ ? await getAgent().app.bsky.feed.getFeed(
+ {
+ ...this.params,
+ cursor,
+ limit,
+ },
+ {headers: {'Accept-Language': contentLangs}},
+ )
+ : await loggedOutFetch({...this.params, cursor, limit})
if (res.success) {
// NOTE
// some custom feeds fail to enforce the pagination limit
@@ -55,3 +60,59 @@ export class CustomFeedAPI implements FeedAPI {
}
}
}
+
+// HACK
+// we want feeds to give language-specific results immediately when a
+// logged-out user changes their language. this comes with two problems:
+// 1. not all languages have content, and
+// 2. our public caching layer isnt correctly busting against the accept-language header
+// for now we handle both of these with a manual workaround
+// -prf
+async function loggedOutFetch({
+ feed,
+ limit,
+ cursor,
+}: {
+ feed: string
+ limit: number
+ cursor?: string
+}) {
+ let contentLangs = getContentLanguages().join(',')
+
+ // manually construct fetch call so we can add the `lang` cache-busting param
+ let res = await AtpAgent.fetch!(
+ `https://api.bsky.app/xrpc/app.bsky.feed.getFeed?feed=${feed}${
+ cursor ? `&cursor=${cursor}` : ''
+ }&limit=${limit}&lang=${contentLangs}`,
+ 'GET',
+ {'Accept-Language': contentLangs},
+ undefined,
+ )
+ if (res.body?.feed?.length) {
+ return {
+ success: true,
+ data: res.body,
+ }
+ }
+
+ // no data, try again with language headers removed
+ res = await AtpAgent.fetch!(
+ `https://api.bsky.app/xrpc/app.bsky.feed.getFeed?feed=${feed}${
+ cursor ? `&cursor=${cursor}` : ''
+ }&limit=${limit}`,
+ 'GET',
+ {'Accept-Language': ''},
+ undefined,
+ )
+ if (res.body?.feed?.length) {
+ return {
+ success: true,
+ data: res.body,
+ }
+ }
+
+ return {
+ success: false,
+ data: {feed: []},
+ }
+}
diff --git a/src/lib/constants.ts b/src/lib/constants.ts
index 401c39362b..bb49387c4c 100644
--- a/src/lib/constants.ts
+++ b/src/lib/constants.ts
@@ -7,6 +7,8 @@ export const BSKY_SERVICE = 'https://bsky.social'
export const DEFAULT_SERVICE = BSKY_SERVICE
const HELP_DESK_LANG = 'en-us'
export const HELP_DESK_URL = `https://blueskyweb.zendesk.com/hc/${HELP_DESK_LANG}`
+export const EMBED_SERVICE = 'https://embed.bsky.app'
+export const EMBED_SCRIPT = `${EMBED_SERVICE}/static/embed.js`
const BASE_FEEDBACK_FORM_URL = `${HELP_DESK_URL}/requests/new`
export function FEEDBACK_FORM_URL({
diff --git a/src/lib/hooks/useOTAUpdates.ts b/src/lib/hooks/useOTAUpdates.ts
index 51fd18aa04..70905c1373 100644
--- a/src/lib/hooks/useOTAUpdates.ts
+++ b/src/lib/hooks/useOTAUpdates.ts
@@ -12,6 +12,7 @@ import {
import {logger} from '#/logger'
import {IS_TESTFLIGHT} from 'lib/app-info'
+import {useGate} from 'lib/statsig/statsig'
import {isIOS} from 'platform/detection'
const MINIMUM_MINIMIZE_TIME = 15 * 60e3
@@ -30,6 +31,9 @@ async function setExtraParams() {
}
export function useOTAUpdates() {
+ const shouldReceiveUpdates =
+ useGate('receive_updates') && isEnabled && !__DEV__
+
const appState = React.useRef('active')
const lastMinimize = React.useRef(0)
const ranInitialCheck = React.useRef(false)
@@ -51,61 +55,59 @@ export function useOTAUpdates() {
logger.debug('No update available.')
}
} catch (e) {
- logger.warn('OTA Update Error', {error: `${e}`})
+ logger.error('OTA Update Error', {error: `${e}`})
}
}, 10e3)
}, [])
- const onIsTestFlight = React.useCallback(() => {
- setTimeout(async () => {
- try {
- await setExtraParams()
-
- const res = await checkForUpdateAsync()
- if (res.isAvailable) {
- await fetchUpdateAsync()
-
- Alert.alert(
- 'Update Available',
- 'A new version of the app is available. Relaunch now?',
- [
- {
- text: 'No',
- style: 'cancel',
- },
- {
- text: 'Relaunch',
- style: 'default',
- onPress: async () => {
- await reloadAsync()
- },
+ const onIsTestFlight = React.useCallback(async () => {
+ try {
+ await setExtraParams()
+
+ const res = await checkForUpdateAsync()
+ if (res.isAvailable) {
+ await fetchUpdateAsync()
+
+ Alert.alert(
+ 'Update Available',
+ 'A new version of the app is available. Relaunch now?',
+ [
+ {
+ text: 'No',
+ style: 'cancel',
+ },
+ {
+ text: 'Relaunch',
+ style: 'default',
+ onPress: async () => {
+ await reloadAsync()
},
- ],
- )
- }
- } catch (e: any) {
- // No need to handle
+ },
+ ],
+ )
}
- }, 3e3)
+ } catch (e: any) {
+ logger.error('Internal OTA Update Error', {error: `${e}`})
+ }
}, [])
React.useEffect(() => {
+ // We use this setTimeout to allow Statsig to initialize before we check for an update
// For Testflight users, we can prompt the user to update immediately whenever there's an available update. This
// is suspect however with the Apple App Store guidelines, so we don't want to prompt production users to update
// immediately.
if (IS_TESTFLIGHT) {
onIsTestFlight()
return
- } else if (!isEnabled || __DEV__ || ranInitialCheck.current) {
- // Development client shouldn't check for updates at all, so we skip that here.
+ } else if (!shouldReceiveUpdates || ranInitialCheck.current) {
return
}
setCheckTimeout()
ranInitialCheck.current = true
- }, [onIsTestFlight, setCheckTimeout])
+ }, [onIsTestFlight, setCheckTimeout, shouldReceiveUpdates])
- // After the app has been minimized for 30 minutes, we want to either A. install an update if one has become available
+ // After the app has been minimized for 15 minutes, we want to either A. install an update if one has become available
// or B check for an update again.
React.useEffect(() => {
if (!isEnabled) return
diff --git a/src/lib/hooks/useOTAUpdates.web.ts b/src/lib/hooks/useOTAUpdates.web.ts
new file mode 100644
index 0000000000..1baf4894ee
--- /dev/null
+++ b/src/lib/hooks/useOTAUpdates.web.ts
@@ -0,0 +1 @@
+export function useOTAUpdates() {}
diff --git a/src/lib/notifications/notifications.ts b/src/lib/notifications/notifications.ts
index 0f628f4288..e0b3d8f3d9 100644
--- a/src/lib/notifications/notifications.ts
+++ b/src/lib/notifications/notifications.ts
@@ -4,6 +4,7 @@ import {QueryClient} from '@tanstack/react-query'
import {logger} from '#/logger'
import {RQKEY as RQKEY_NOTIFS} from '#/state/queries/notifications/feed'
+import {invalidateCachedUnreadPage} from '#/state/queries/notifications/unread'
import {truncateAndInvalidate} from '#/state/queries/util'
import {getAgent, SessionAccount} from '#/state/session'
import {track} from 'lib/analytics/analytics'
@@ -87,6 +88,7 @@ export function useNotificationsListener(queryClient: QueryClient) {
// handle notifications that are received, both in the foreground or background
// NOTE: currently just here for debug logging
const sub1 = Notifications.addNotificationReceivedListener(event => {
+ invalidateCachedUnreadPage()
logger.debug(
'Notifications: received',
{event},
@@ -131,11 +133,13 @@ export function useNotificationsListener(queryClient: QueryClient) {
)
track('Notificatons:OpenApp')
logEvent('notifications:openApp', {})
+ invalidateCachedUnreadPage()
truncateAndInvalidate(queryClient, RQKEY_NOTIFS())
resetToTab('NotificationsTab') // open notifications tab
}
},
)
+
return () => {
sub1.remove()
sub2.remove()
diff --git a/src/lib/statsig/events.ts b/src/lib/statsig/events.ts
index 3d650b8b73..1231c5de5d 100644
--- a/src/lib/statsig/events.ts
+++ b/src/lib/statsig/events.ts
@@ -99,6 +99,7 @@ export type LogEvents = {
| 'ProfileHeader'
| 'ProfileHeaderSuggestedFollows'
| 'ProfileMenu'
+ | 'ProfileHoverCard'
}
'profile:unfollow': {
logContext:
@@ -108,5 +109,6 @@ export type LogEvents = {
| 'ProfileHeader'
| 'ProfileHeaderSuggestedFollows'
| 'ProfileMenu'
+ | 'ProfileHoverCard'
}
}
diff --git a/src/lib/statsig/gates.ts b/src/lib/statsig/gates.ts
index 5a95823833..314799f288 100644
--- a/src/lib/statsig/gates.ts
+++ b/src/lib/statsig/gates.ts
@@ -3,7 +3,10 @@ export type Gate =
| 'autoexpand_suggestions_on_profile_follow'
| 'disable_min_shell_on_foregrounding'
| 'disable_poll_on_discover'
+ | 'hide_vertical_scroll_indicators'
| 'new_profile_scroll_component'
| 'new_search'
+ | 'receive_updates'
| 'show_follow_back_label'
| 'start_session_with_following'
+ | 'use_new_suggestions_endpoint'
diff --git a/src/lib/statsig/statsig.tsx b/src/lib/statsig/statsig.tsx
index 159438647a..3d2dc13092 100644
--- a/src/lib/statsig/statsig.tsx
+++ b/src/lib/statsig/statsig.tsx
@@ -9,11 +9,20 @@ import {
} from 'statsig-react-native-expo'
import {logger} from '#/logger'
+import {isWeb} from '#/platform/detection'
import {IS_TESTFLIGHT} from 'lib/app-info'
import {useSession} from '../../state/session'
import {LogEvents} from './events'
import {Gate} from './gates'
+let refSrc: string | undefined
+let refUrl: string | undefined
+if (isWeb && typeof window !== 'undefined') {
+ const params = new URLSearchParams(window.location.search)
+ refSrc = params.get('ref_src') ?? undefined
+ refUrl = params.get('ref_url') ?? undefined
+}
+
export type {LogEvents}
const statsigOptions = {
@@ -82,7 +91,10 @@ export function useGate(gateName: Gate): boolean {
// This should not happen because of waitForInitialization={true}.
console.error('Did not expected isLoading to ever be true.')
}
- return value
+ // This shouldn't technically be necessary but let's get a strong
+ // guarantee that a gate value can never change while mounted.
+ const [initialValue] = React.useState(value)
+ return initialValue
}
function toStatsigUser(did: string | undefined) {
@@ -94,6 +106,8 @@ function toStatsigUser(did: string | undefined) {
userID,
platform: Platform.OS,
custom: {
+ refSrc,
+ refUrl,
// Need to specify here too for gating.
platform: Platform.OS,
},
diff --git a/src/locale/locales/ca/messages.po b/src/locale/locales/ca/messages.po
index 7945fe8b59..2ff179c4c0 100644
--- a/src/locale/locales/ca/messages.po
+++ b/src/locale/locales/ca/messages.po
@@ -32,6 +32,7 @@ msgstr "(sense correu)"
#~ msgid "{0} {purposeLabel} List"
#~ msgstr "Llista {purposeLabel} {0}"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} seguint"
@@ -54,7 +55,7 @@ msgstr "{following} seguint"
#~ msgid "{message}"
#~ msgstr "{message}"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} no llegides"
@@ -66,15 +67,20 @@ msgstr "<0/> membres"
msgid "<0>{0}0> following"
msgstr "<0>{0}0> seguint"
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>seguint1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Tria els teus0><1>canals1><2>recomanats2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Segueix alguns0><1>usuaris1><2>recomanats2>"
@@ -82,7 +88,7 @@ msgstr "<0>Segueix alguns0><1>usuaris1><2>recomanats2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Us donem la benvinguda a0><1>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Identificador invàlid"
@@ -95,16 +101,16 @@ msgstr "⚠Identificador invàlid"
#~ msgstr "Hi ha una nova versió d'aquesta aplicació. Actualitza-la per a continuar."
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Accedeix als enllaços de navegació i configuració"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Accedeix al perfil i altres enllaços de navegació"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Accessibilitat"
@@ -113,8 +119,8 @@ msgid "account"
msgstr "compte"
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Compte"
@@ -164,7 +170,7 @@ msgstr "Compte no silenciat"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Afegeix"
@@ -172,13 +178,13 @@ msgstr "Afegeix"
msgid "Add a content warning"
msgstr "Afegeix una advertència de contingut"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Afegeix un usuari a aquesta llista"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Afegeix un compte"
@@ -264,11 +270,11 @@ msgid "Adult content is disabled."
msgstr "El contingut per adults està deshabilitat."
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Avançat"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "Tots els canals que has desat, en un sol lloc."
@@ -305,6 +311,8 @@ msgstr "S'ha enviat un correu a la teva adreça prèvia, {0}. Inclou un codi de
msgid "An issue not included in these options"
msgstr "Un problema que no està inclòs en aquestes opcions"
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -312,7 +320,7 @@ msgstr "Un problema que no està inclòs en aquestes opcions"
msgid "An issue occurred, please try again."
msgstr "Hi ha hagut un problema, prova-ho de nou."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "i"
@@ -341,7 +349,7 @@ msgstr "La contrasenya de l'aplicació només pot estar formada per lletres, nú
msgid "App Password names must be at least 4 characters long."
msgstr "La contrasenya de l'aplicació ha de ser d'almenys 4 caràcters."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "Configuració de la contrasenya d'aplicació"
@@ -351,7 +359,7 @@ msgstr "Configuració de la contrasenya d'aplicació"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Contrasenyes de l'aplicació"
@@ -388,7 +396,7 @@ msgstr "Apel·lació enviada."
#~ msgid "Appeal this decision."
#~ msgstr "Apel·la aquesta decisió."
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Aparença"
@@ -424,9 +432,9 @@ msgstr "Art"
msgid "Artistic or non-erotic nudity."
msgstr "Nuesa artística o no eròtica."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
-msgstr ""
+msgstr "Almenys 3 caràcters"
#: src/components/moderation/LabelsOnMeDialog.tsx:246
#: src/components/moderation/LabelsOnMeDialog.tsx:247
@@ -439,7 +447,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Endarrere"
@@ -453,7 +461,7 @@ msgstr "Endarrere"
msgid "Based on your interest in {interestsText}"
msgstr "Segons els teus interessos en {interestsText}"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Conceptes bàsics"
@@ -461,11 +469,11 @@ msgstr "Conceptes bàsics"
msgid "Birthday"
msgstr "Aniversari"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Aniversari:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr "Bloqueja"
@@ -479,16 +487,16 @@ msgstr "Bloqueja el compte"
msgid "Block Account?"
msgstr "Vols bloquejar el compte?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Bloqueja comptes"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Bloqueja una llista"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "Vols bloquejar aquests comptes?"
@@ -497,7 +505,7 @@ msgstr "Vols bloquejar aquests comptes?"
#~ msgstr "Bloqueja la llista"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Bloquejada"
@@ -506,7 +514,7 @@ msgid "Blocked accounts"
msgstr "Comptes bloquejats"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Comptes bloquejats"
@@ -514,7 +522,7 @@ msgstr "Comptes bloquejats"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Els comptes bloquejats no poden respondre cap fil teu, ni anomenar-te ni interactuar amb tu de cap manera."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Els comptes bloquejats no poden respondre a cap fil teu, ni anomenar-te ni interactuar amb tu de cap manera. No veuràs mai el seu contingut ni ells el teu."
@@ -522,11 +530,11 @@ msgstr "Els comptes bloquejats no poden respondre a cap fil teu, ni anomenar-te
msgid "Blocked post."
msgstr "Publicació bloquejada."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr "El bloqueig no evita que aquest etiquetador apliqui etiquetes al teu compte."
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "El bloqueig és públic. Els comptes bloquejats no poden respondre els teus fils, ni mencionar-te ni interactuar amb tu de cap manera."
@@ -534,12 +542,10 @@ msgstr "El bloqueig és públic. Els comptes bloquejats no poden respondre els t
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr "Bloquejar no evitarà que s'apliquin etiquetes al teu compte, però no deixarà que aquest compte respongui els teus fils ni interactui amb tu."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blog"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -592,8 +598,7 @@ msgstr "Llibres"
#~ msgid "Build version {0} {1}"
#~ msgstr "Versió {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Negocis"
@@ -655,7 +660,7 @@ msgstr "Només pot tenir lletres, números, espais, guions i guions baixos. Ha d
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Cancel·la"
@@ -709,17 +714,17 @@ msgstr "Cancel·la obrir la web enllaçada"
msgid "Change"
msgstr "Canvia"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Canvia"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Canvia l'identificador"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Canvia l'identificador"
@@ -727,12 +732,12 @@ msgstr "Canvia l'identificador"
msgid "Change my email"
msgstr "Canvia el meu correu"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Canvia la contrasenya"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Canvia la contrasenya"
@@ -753,11 +758,11 @@ msgstr "Canvia el teu correu"
msgid "Check my status"
msgstr "Comprova el meu estat"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Mira alguns canals recomanats. Prem + per a afegir-los als teus canals fixats."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Mira alguns usuaris recomanats. Segueix-los per a veure altres usuaris similars."
@@ -790,36 +795,36 @@ msgstr "Tria els algoritmes que potenciaran la teva experiència amb els canals
msgid "Choose your main feeds"
msgstr "Tria els teus canals principals"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Tria la teva contrasenya"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Esborra totes les dades antigues emmagatzemades"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Esborra totes les dades antigues emmagatzemades (i després reinicia)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Esborra totes les dades emmagatzemades"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Esborra totes les dades emmagatzemades (i després reinicia)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Esborra la cerca"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr "Esborra totes les dades antigues emmagatzemades"
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr "Esborra totes les dades emmagatzemades"
@@ -831,7 +836,7 @@ msgstr "clica aquí"
msgid "Click here to open tag menu for {tag}"
msgstr "Clica aquí per obrir el menú d'etiquetes per {tag}"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "Clica aquí per obrir el menú d'etiquetes per #{tag}"
@@ -865,7 +870,7 @@ msgstr "Tanca la imatge"
msgid "Close image viewer"
msgstr "Tanca el visor d'imatges"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Tanca el peu de la navegació"
@@ -874,7 +879,7 @@ msgstr "Tanca el peu de la navegació"
msgid "Close this dialog"
msgstr "Tanca aquest diàleg"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Tanca la barra de navegació inferior"
@@ -890,7 +895,7 @@ msgstr "Tanca l'editor de la publicació i descarta l'esborrany"
msgid "Closes viewer for header image"
msgstr "Tanca la visualització de la imatge de la capçalera"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Plega la llista d'usuaris per una notificació concreta"
@@ -911,7 +916,7 @@ msgstr "Directrius de la comunitat"
msgid "Complete onboarding and start using your account"
msgstr "Finalitza el registre i comença a utilitzar el teu compte"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "Completa la prova"
@@ -929,7 +934,7 @@ msgstr "Configura els filtres de continguts per la categoria: {0}"
#: src/components/moderation/LabelPreference.tsx:81
msgid "Configure content filtering setting for category: {name}"
-msgstr ""
+msgstr "Configura els filtres de continguts per la categoria: {name}"
#: src/components/moderation/LabelPreference.tsx:244
msgid "Configured in <0>moderation settings0>."
@@ -991,7 +996,7 @@ msgstr "Codi de confirmació"
msgid "Connecting..."
msgstr "Connectant…"
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Contacta amb suport"
@@ -1045,21 +1050,21 @@ msgstr "Teló de fons del menú contextual, fes clic per tancar-lo."
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Continua"
#: src/components/AccountList.tsx:108
msgid "Continue as {0} (currently signed in)"
-msgstr ""
+msgstr "Continua com a {0} (sessió actual)"
#: src/screens/Onboarding/StepFollowingFeed.tsx:151
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Continua"
@@ -1080,17 +1085,21 @@ msgstr "Cuina"
msgid "Copied"
msgstr "Copiat"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Número de versió copiat en memòria"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "Copiat en memòria"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Copia la contrasenya d'aplicació"
@@ -1103,12 +1112,17 @@ msgstr "Copia"
msgid "Copy {0}"
msgstr "Copia {0}"
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Copia l'enllaç a la llista"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Copia l'enllaç a la publicació"
@@ -1116,8 +1130,8 @@ msgstr "Copia l'enllaç a la publicació"
#~ msgid "Copy link to profile"
#~ msgstr "Copia l'enllaç al perfil"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Copia el text de la publicació"
@@ -1130,7 +1144,7 @@ msgstr "Política de drets d'autor"
msgid "Could not load feed"
msgstr "No es pot carregar el canal"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "No es pot carregar la llista"
@@ -1138,31 +1152,34 @@ msgstr "No es pot carregar la llista"
#~ msgid "Country"
#~ msgstr "País"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Crea un nou compte"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Crea un nou compte de Bluesky"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Crea un compte"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "Crea una contrasenya d'aplicació"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Crea un nou compte"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr "Crea un informe per a {0}"
@@ -1196,7 +1213,7 @@ msgid "Custom domain"
msgstr "Domini personalitzat"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "Els canals personalitzats fets per la comunitat et porten noves experiències i t'ajuden a trobar contingut que t'agradarà."
@@ -1208,8 +1225,8 @@ msgstr "Personalitza el contingut dels llocs externs."
#~ msgid "Danger Zone"
#~ msgstr "Zona de perill"
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Fosc"
@@ -1217,15 +1234,15 @@ msgstr "Fosc"
msgid "Dark mode"
msgstr "Mode fosc"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Tema fosc"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
-msgstr ""
+msgstr "Data de naixement"
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr "Moderació de depuració"
@@ -1233,13 +1250,13 @@ msgstr "Moderació de depuració"
msgid "Debug panel"
msgstr "Panell de depuració"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr "Elimina"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Elimina el compte"
@@ -1255,7 +1272,7 @@ msgstr "Elimina la contrasenya d'aplicació"
msgid "Delete app password?"
msgstr "Vols eliminar la contrasenya d'aplicació?"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Elimina la llista"
@@ -1267,24 +1284,24 @@ msgstr "Elimina el meu compte"
#~ msgid "Delete my account…"
#~ msgstr "Elimina el meu compte…"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Elimina el meu compte…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Elimina la publicació"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr "Vols eliminar aquesta llista?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "Vols eliminar aquesta publicació?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Eliminat"
@@ -1311,10 +1328,18 @@ msgstr "Descripció"
msgid "Did you want to say anything?"
msgstr "Vols dir alguna cosa?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Tènue"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1348,7 +1373,7 @@ msgstr "Descobreix nous canals personalitzats"
#~ msgid "Discover new feeds"
#~ msgstr "Descobreix nous canals"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "Descobreix nous canals"
@@ -1368,9 +1393,9 @@ msgstr "Panell de DNS"
msgid "Does not include nudity."
msgstr "No inclou nuesa."
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
-msgstr ""
+msgstr "No comença ni acaba amb un guionet"
#: src/view/com/modals/ChangeHandle.tsx:481
msgid "Domain Value"
@@ -1402,7 +1427,7 @@ msgstr "Domini verificat!"
msgid "Done"
msgstr "Fet"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1485,7 +1510,7 @@ msgctxt "action"
msgid "Edit"
msgstr "Edita"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr "Edita l'avatar"
@@ -1495,7 +1520,7 @@ msgstr "Edita l'avatar"
msgid "Edit image"
msgstr "Edita la imatge"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Edita els detalls de la llista"
@@ -1504,8 +1529,8 @@ msgid "Edit Moderation List"
msgstr "Edita la llista de moderació"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Edita els meus canals"
@@ -1513,18 +1538,18 @@ msgstr "Edita els meus canals"
msgid "Edit my profile"
msgstr "Edita el meu perfil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Edita el perfil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Edita el perfil"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Edita els meus canals guardats"
@@ -1566,10 +1591,24 @@ msgstr "Correu actualitzat"
msgid "Email verified"
msgstr "Correu verificat"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "Correu:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Habilita només {0}"
@@ -1590,7 +1629,7 @@ msgstr "Habilita veure el contingut per adults als teus canals"
#: src/components/dialogs/EmbedConsent.tsx:82
#: src/components/dialogs/EmbedConsent.tsx:89
msgid "Enable external media"
-msgstr ""
+msgstr "Habilita els continguts externs"
#: src/view/com/modals/EmbedConsent.tsx:97
#~ msgid "Enable External Media"
@@ -1606,13 +1645,13 @@ msgstr "Activa aquesta opció per a veure només les respostes entre els comptes
#: src/components/dialogs/EmbedConsent.tsx:94
msgid "Enable this source only"
-msgstr ""
+msgstr "Habilita només per aquesta font"
#: src/screens/Moderation/index.tsx:339
msgid "Enabled"
msgstr "Habilitat"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Fi del canal"
@@ -1622,7 +1661,7 @@ msgstr "Posa un nom a aquesta contrasenya d'aplicació"
#: src/screens/Login/SetNewPasswordForm.tsx:139
msgid "Enter a password"
-msgstr ""
+msgstr "Introdueix una contrasenya"
#: src/components/dialogs/MutedWords.tsx:99
#: src/components/dialogs/MutedWords.tsx:100
@@ -1658,7 +1697,7 @@ msgstr "Introdueix la teva data de naixement"
#~ msgstr "Introdueix el teu correu"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Introdueix el teu correu"
@@ -1682,7 +1721,7 @@ msgstr "Introdueix el teu usuari i contrasenya"
msgid "Error receiving captcha response."
msgstr "Erro en rebre la resposta al captcha."
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Error:"
@@ -1723,8 +1762,8 @@ msgstr "Surt de la cerca"
msgid "Expand alt text"
msgstr "Expandeix el text alternatiu"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Expandeix o replega la publicació completa a la qual estàs responent"
@@ -1736,12 +1775,12 @@ msgstr "Contingut explícit o potencialment pertorbador."
msgid "Explicit sexual images."
msgstr "Imatges sexuals explícites."
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "Exporta les meves dades"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "Exporta les meves dades"
@@ -1757,11 +1796,11 @@ msgstr "El contingut extern pot permetre que algunes webs recullin informació s
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Preferència del contingut extern"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Configuració del contingut extern"
@@ -1774,12 +1813,12 @@ msgstr "No s'ha pogut crear la contrasenya d'aplicació."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "No s'ha pogut crear la llista. Comprova la teva connexió a internet i torna-ho a provar."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "No s'ha pogut esborrar la publicació, torna-ho a provar"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Error en carregar els canals recomanats"
@@ -1795,7 +1834,7 @@ msgstr "Canal"
msgid "Feed by {0}"
msgstr "Canal per {0}"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Canal fora de línia"
@@ -1804,26 +1843,26 @@ msgstr "Canal fora de línia"
#~ msgstr "Preferències del canal"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Comentaris"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Canals"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Els canals són creats pels usuaris per a curar contingut. Tria els canals que trobis interessants."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Els canals són algoritmes personalitzats creats per usuaris que coneixen una mica de codi. <0/> per a més informació."
@@ -1849,11 +1888,11 @@ msgstr "Finalitzant"
msgid "Find accounts to follow"
msgstr "Troba comptes per a seguir"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Troba usuaris a Bluesky"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Troba usuaris amb l'eina de cerca de la dreta"
@@ -1891,10 +1930,10 @@ msgid "Flip vertically"
msgstr "Gira verticalment"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Segueix"
@@ -1920,17 +1959,17 @@ msgstr "Segueix-los a tots"
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:144
msgid "Follow Back"
-msgstr ""
+msgstr "Segueix"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:182
msgid "Follow selected accounts and continue to the next step"
msgstr "Segueix els comptes seleccionats i continua"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Segueix a alguns usuaris per a començar. Te'n podem recomanar més basant-nos en els que trobes interessants."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "Seguit per {0}"
@@ -1942,7 +1981,7 @@ msgstr "Usuaris seguits"
msgid "Followed users only"
msgstr "Només els usuaris seguits"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "et segueix"
@@ -1955,7 +1994,7 @@ msgstr "Seguidors"
#~ msgid "following"
#~ msgstr "seguint"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1966,15 +2005,15 @@ msgstr "Seguint"
msgid "Following {0}"
msgstr "Seguint {0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr "Preferències del canal Seguint"
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "Preferències del canal Seguint"
@@ -1982,7 +2021,7 @@ msgstr "Preferències del canal Seguint"
msgid "Follows you"
msgstr "Et segueix"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Et segueix"
@@ -2013,11 +2052,11 @@ msgstr "He oblidat la contrasenya"
#: src/screens/Login/LoginForm.tsx:201
msgid "Forgot password?"
-msgstr ""
+msgstr "Has oblidat la contrasenya?"
#: src/screens/Login/LoginForm.tsx:212
msgid "Forgot?"
-msgstr ""
+msgstr "Oblidada?"
#: src/lib/moderation/useReportOptions.ts:52
msgid "Frequently Posts Unwanted Content"
@@ -2028,7 +2067,7 @@ msgstr "Publica contingut no dessitjat freqüentment"
msgid "From @{sanitizedAuthor}"
msgstr "De @{sanitizedAuthor}"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "De <0/>"
@@ -2052,7 +2091,7 @@ msgstr "Infraccions flagrants de la llei o les condicions del servei"
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Ves enrere"
@@ -2062,15 +2101,15 @@ msgstr "Ves enrere"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Ves enrere"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "Ves al pas anterior"
@@ -2082,7 +2121,7 @@ msgstr "Ves a l'inici"
msgid "Go Home"
msgstr "Ves a l'inici"
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "Ves a @{queryMaybeHandle}"
@@ -2112,16 +2151,16 @@ msgstr "Etiqueta"
#~ msgid "Hashtag: {tag}"
#~ msgstr "Etiqueta: {tag}"
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr "Etiqueta: #{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "Tens problemes?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Ajuda"
@@ -2150,17 +2189,17 @@ msgstr "Aquí tens la teva contrasenya d'aplicació."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Amaga"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "Amaga"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Amaga l'entrada"
@@ -2169,11 +2208,11 @@ msgstr "Amaga l'entrada"
msgid "Hide the content"
msgstr "Amaga el contingut"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "Vols amagar aquesta entrada?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Amaga la llista d'usuaris"
@@ -2209,11 +2248,11 @@ msgstr "Tenim problemes per a carregar aquestes dades. Mira a continuació per a
msgid "Hmmmm, we couldn't load that moderation service."
msgstr "No podem carregar el servei de moderació."
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Inici"
@@ -2268,11 +2307,11 @@ msgstr "Si no en selecciones cap, és apropiat per a totes les edats."
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr "Si encara no ets un adult segons les lleis del teu país, el teu tutor legal haurà de llegir aquests Termes en el teu lloc."
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr "Si esborres aquesta llista no la podràs recuperar."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr "Si esborres aquesta publicació no la podràs recuperar."
@@ -2357,7 +2396,7 @@ msgstr "Introdueix la teva contrasenya"
msgid "Input your preferred hosting provider"
msgstr "Introdeix el teu proveïdor d'allotjament preferit"
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Introdueix el teu identificador d'usuari"
@@ -2401,8 +2440,7 @@ msgstr "Codis d'invitació: 1 disponible"
msgid "It shows posts from the people you follow as they happen."
msgstr "Mostra les publicacions de les persones que segueixes cronològicament."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Feines"
@@ -2435,11 +2473,11 @@ msgstr "Etiquetat per {0}."
msgid "Labeled by the author."
msgstr "Etiquetat per l'autor."
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr "Etiquetes"
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr "Les etiquetes son anotacions sobre els usuaris i el contingut. Poden ser utilitzades per a ocultar, advertir i categoritxar la xarxa."
@@ -2459,7 +2497,7 @@ msgstr "Etiquetes al teu contingut"
msgid "Language selection"
msgstr "Tria l'idioma"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Configuració d'idioma"
@@ -2468,7 +2506,7 @@ msgstr "Configuració d'idioma"
msgid "Language Settings"
msgstr "Configuració d'idioma"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Idiomes"
@@ -2476,6 +2514,10 @@ msgstr "Idiomes"
#~ msgid "Last step!"
#~ msgstr "Últim pas"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr "Més informació"
@@ -2514,7 +2556,7 @@ msgstr "Sortint de Bluesky"
msgid "left to go."
msgstr "queda."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "L'emmagatzematge heretat s'ha esborrat, cal que reinicieu l'aplicació ara."
@@ -2532,16 +2574,16 @@ msgstr "Som-hi!"
#~ msgid "Library"
#~ msgstr "Biblioteca"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Clar"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "M'agrada"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Fes m'agrada a aquest canal"
@@ -2565,13 +2607,13 @@ msgstr "Li ha agradat a {0} {1}"
msgid "Liked by {count} {0}"
msgstr "Li ha agradat a {count} {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "Li ha agradat a {likeCount} {0}"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "els hi ha agradat el teu canal personalitzat"
@@ -2579,11 +2621,11 @@ msgstr "els hi ha agradat el teu canal personalitzat"
#~ msgid "liked your custom feed{0}"
#~ msgstr "i ha agradat el teu canal personalitzat{0}"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "li ha agradat la teva publicació"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "M'agrades"
@@ -2599,7 +2641,7 @@ msgstr "Llista"
msgid "List Avatar"
msgstr "Avatar de la llista"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Llista bloquejada"
@@ -2607,11 +2649,11 @@ msgstr "Llista bloquejada"
msgid "List by {0}"
msgstr "Llista per {0}"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Llista eliminada"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Llista silenciada"
@@ -2619,20 +2661,20 @@ msgstr "Llista silenciada"
msgid "List Name"
msgstr "Nom de la llista"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Llista desbloquejada"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Llista no silenciada"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Llistes"
@@ -2645,10 +2687,10 @@ msgstr "Llistes"
msgid "Load new notifications"
msgstr "Carrega noves notificacions"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Carrega noves publicacions"
@@ -2684,7 +2726,7 @@ msgstr "Accedeix a un compte que no està llistat"
#: src/screens/Login/SetNewPasswordForm.tsx:116
msgid "Looks like XXXXX-XXXXX"
-msgstr ""
+msgstr "Té l'aspecte XXXXX-XXXXX"
#: src/view/com/modals/LinkWarning.tsx:79
msgid "Make sure this is where you intend to go!"
@@ -2702,7 +2744,7 @@ msgstr "Gestiona les teves etiquetes i paraules silenciades"
#~ msgid "May only contain letters and numbers"
#~ msgstr "Només pot tenir lletres i números"
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Contingut"
@@ -2715,7 +2757,7 @@ msgid "Mentioned users"
msgstr "Usuaris mencionats"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Menú"
@@ -2733,10 +2775,10 @@ msgstr "Compte enganyòs"
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Moderació"
@@ -2749,13 +2791,13 @@ msgstr "Detalls de la moderació"
msgid "Moderation list by {0}"
msgstr "Llista de moderació per {0}"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "Llista de moderació per <0/>"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Llista de moderació teva"
@@ -2776,7 +2818,7 @@ msgstr "Llistes de moderació"
msgid "Moderation Lists"
msgstr "Llistes de moderació"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Configuració de moderació"
@@ -2793,7 +2835,7 @@ msgstr "Eines de moderació"
msgid "Moderator has chosen to set a general warning on the content."
msgstr "El moderador ha decidit establir un advertiment general sobre el contingut."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr "Més"
@@ -2801,7 +2843,7 @@ msgstr "Més"
msgid "More feeds"
msgstr "Més canals"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Més opcions"
@@ -2830,7 +2872,7 @@ msgstr "Silencia {truncatedTag}"
msgid "Mute Account"
msgstr "Silenciar el compte"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Silencia els comptes"
@@ -2850,12 +2892,12 @@ msgstr "Silencia només a les etiquetes"
msgid "Mute in text & tags"
msgstr "Silencia a les etiquetes i al text"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Silencia la llista"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "Vols silenciar aquests comptes?"
@@ -2871,13 +2913,13 @@ msgstr "Silencia aquesta paraula en el text de les publicacions i a les etiquete
msgid "Mute this word in tags only"
msgstr "Silencia aquesta paraula només a les etiquetes"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Silencia el fil de debat"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "Silencia paraules i etiquetes"
@@ -2890,11 +2932,11 @@ msgid "Muted accounts"
msgstr "Comptes silenciats"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Comptes silenciats"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Les publicacions dels comptes silenciats seran eliminats del teu canal i de les teves notificacions. Silenciar comptes és completament privat."
@@ -2906,7 +2948,7 @@ msgstr "Silenciat per \"{0}\""
msgid "Muted words & tags"
msgstr "Paraules i etiquetes silenciades"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Silenciar és privat. Els comptes silenciats poden interactuar amb tu, però tu no veuràs les seves publicacions ni rebràs notificacions seves."
@@ -2915,7 +2957,7 @@ msgstr "Silenciar és privat. Els comptes silenciats poden interactuar amb tu, p
msgid "My Birthday"
msgstr "El meu aniversari"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Els meus canals"
@@ -2923,11 +2965,11 @@ msgstr "Els meus canals"
msgid "My Profile"
msgstr "El meu perfil"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr "Els meus canals desats"
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "Els meus canals desats"
@@ -2955,7 +2997,7 @@ msgid "Nature"
msgstr "Natura"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Navega a la pantalla següent"
@@ -2964,7 +3006,7 @@ msgstr "Navega a la pantalla següent"
msgid "Navigates to your profile"
msgstr "Navega al teu perfil"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr "Necessites informar d'una infracció dels drets d'autor?"
@@ -3016,12 +3058,12 @@ msgctxt "action"
msgid "New post"
msgstr "Nova publicació"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Nova publicació"
@@ -3049,12 +3091,12 @@ msgstr "Notícies"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3078,8 +3120,8 @@ msgstr "Següent imatge"
msgid "No"
msgstr "No"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Cap descripció"
@@ -3091,9 +3133,9 @@ msgstr "No hi ha panell de DNS"
msgid "No longer following {0}"
msgstr "Ja no segueixes a {0}"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
-msgstr ""
+msgstr "No pot tenir més de 253 caràcters"
#: src/view/com/notifications/Feed.tsx:109
msgid "No notifications yet!"
@@ -3108,13 +3150,13 @@ msgstr "Cap resultat"
msgid "No results found"
msgstr "No s'han trobat resultats"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "No s'han trobat resultats per \"{query}\""
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "No s'han trobat resultats per {query}"
@@ -3141,7 +3183,7 @@ msgid "Not Applicable."
msgstr "No aplicable."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "No s'ha trobat"
@@ -3151,8 +3193,8 @@ msgid "Not right now"
msgstr "Ara mateix no"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr "Nota sobre compartir"
@@ -3160,13 +3202,13 @@ msgstr "Nota sobre compartir"
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Nota: Bluesky és una xarxa oberta i pública. Aquesta configuració tan sols limita el teu contingut a l'aplicació de Bluesky i a la web, altres aplicacions poden no respectar-ho. El teu contingut pot ser mostrat a usuaris no connectats per altres aplicacions i webs."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Notificacions"
@@ -3176,15 +3218,15 @@ msgstr "Nuesa"
#: src/lib/moderation/useReportOptions.ts:71
msgid "Nudity or adult content not labeled as such"
-msgstr ""
+msgstr "Nuesa o contingut per adults no etiquetat com a tal"
#: src/lib/moderation/useReportOptions.ts:71
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr "Nuesa o pornografia no etiquetada com a tal"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
-msgstr ""
+msgstr "de"
#: src/lib/moderation/useLabelBehaviorDescription.ts:11
msgid "Off"
@@ -3199,7 +3241,7 @@ msgid "Oh no! Something went wrong."
msgstr "Ostres! Alguna cosa ha fallat."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr "D'acord"
@@ -3211,7 +3253,7 @@ msgstr "D'acord"
msgid "Oldest replies first"
msgstr "Respostes més antigues primer"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Restableix la incorporació"
@@ -3223,9 +3265,9 @@ msgstr "Falta el text alternatiu a una o més imatges."
msgid "Only {0} can reply."
msgstr "Només {0} poden respondre."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
-msgstr ""
+msgstr "Només pot tenir lletres, nombres i guionets"
#: src/components/Lists.tsx:75
msgid "Oops, something went wrong!"
@@ -3233,7 +3275,7 @@ msgstr "Ostres, alguna cosa ha anat malament!"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Ostres!"
@@ -3250,11 +3292,11 @@ msgstr "Obre"
msgid "Open emoji picker"
msgstr "Obre el selector d'emojis"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr "Obre el menú de les opcions del canal"
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Obre els enllaços al navegador de l'aplicació"
@@ -3266,20 +3308,20 @@ msgstr "Obre la configuració de les paraules i etiquetes silenciades"
#~ msgid "Open muted words settings"
#~ msgstr "Obre la configuració de les paraules silenciades"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Obre la navegació"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr "Obre el menú de les opcions de publicació"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Obre la pàgina d'historial"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr "Obre el registre del sistema"
@@ -3291,7 +3333,7 @@ msgstr "Obre {numItems} opcions"
msgid "Opens additional details for a debug entry"
msgstr "Obre detalls addicionals per una entrada de depuració"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "Obre una llista expandida d'usuaris en aquesta notificació"
@@ -3303,7 +3345,7 @@ msgstr "Obre la càmera del dispositiu"
msgid "Opens composer"
msgstr "Obre el compositor"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Obre la configuració d'idioma"
@@ -3315,19 +3357,17 @@ msgstr "Obre la galeria fotogràfica del dispositiu"
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr "Obre l'editor del perfil per a editar el nom, avatar, imatge de fons i descripció"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Obre la configuració per les incrustacions externes"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr "Obre el procés per a crear un nou compte de Bluesky"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr "Obre el procés per a iniciar sessió a un compte existent de Bluesky"
@@ -3347,7 +3387,7 @@ msgstr "Obre el procés per a iniciar sessió a un compte existent de Bluesky"
msgid "Opens list of invite codes"
msgstr "Obre la llista de codis d'invitació"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr "Obre el modal per a la confirmació de l'eliminació del compte. Requereix codi de correu electrònic"
@@ -3355,19 +3395,19 @@ msgstr "Obre el modal per a la confirmació de l'eliminació del compte. Requere
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr "Obre el modal per a confirmar l'eliminació del compte. Requereix un codi de correu"
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr "Obre el modal per a canviar la contrasenya de Bluesky"
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr "Obre el modal per a triar un nou identificador de Bluesky"
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr "Obre el modal per a baixar les dades del vostre compte Bluesky (repositori)"
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr "Obre el modal per a verificar el correu"
@@ -3375,7 +3415,7 @@ msgstr "Obre el modal per a verificar el correu"
msgid "Opens modal for using custom domain"
msgstr "Obre el modal per a utilitzar un domini personalitzat"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Obre la configuració de la moderació"
@@ -3383,16 +3423,16 @@ msgstr "Obre la configuració de la moderació"
msgid "Opens password reset form"
msgstr "Obre el formulari de restabliment de la contrasenya"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Obre pantalla per a editar els canals desats"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Obre la pantalla amb tots els canals desats"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr "Obre la configuració de les contrasenyes d'aplicació"
@@ -3400,7 +3440,7 @@ msgstr "Obre la configuració de les contrasenyes d'aplicació"
#~ msgid "Opens the app password settings page"
#~ msgstr "Obre la pàgina de configuració de les contrasenyes d'aplicació"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr "Obre les preferències del canal de Seguint"
@@ -3412,16 +3452,16 @@ msgstr "Obre les preferències del canal de Seguint"
msgid "Opens the linked website"
msgstr "Obre la web enllaçada"
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Obre la pàgina de l'historial"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Obre la pàgina de registres del sistema"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Obre les preferències dels fils de debat"
@@ -3429,7 +3469,7 @@ msgstr "Obre les preferències dels fils de debat"
msgid "Option {0} of {numItems}"
msgstr "Opció {0} de {numItems}"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr "Opcionalment, proporciona informació addicional a continuació:"
@@ -3463,7 +3503,7 @@ msgid "Page Not Found"
msgstr "Pàgina no trobada"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3481,6 +3521,11 @@ msgstr "Contrasenya actualitzada"
msgid "Password updated!"
msgstr "Contrasenya actualitzada!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "Persones seguides per @{0}"
@@ -3509,16 +3554,16 @@ msgstr "Mascotes"
msgid "Pictures meant for adults."
msgstr "Imatges destinades a adults."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "Fixa a l'inici"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr "Fixa a l'Inici"
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Canals de notícies fixats"
@@ -3642,7 +3687,7 @@ msgstr "Publicació per {0}"
msgid "Post by @{0}"
msgstr "Publicació per @{0}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Publicació eliminada"
@@ -3677,7 +3722,8 @@ msgstr "Publicació no trobada"
msgid "posts"
msgstr "publicacions"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Publicacions"
@@ -3693,13 +3739,13 @@ msgstr "Publicacions amagades"
msgid "Potentially Misleading Link"
msgstr "Enllaç potencialment enganyós"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
-msgstr ""
+msgstr "Prem per canviar el proveïdor d'allotjament"
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr "Prem per a tornar-ho a provar"
@@ -3715,7 +3761,7 @@ msgstr "Idioma principal"
msgid "Prioritize Your Follows"
msgstr "Prioritza els usuaris que segueixes"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Privacitat"
@@ -3723,8 +3769,8 @@ msgstr "Privacitat"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Política de privacitat"
@@ -3733,15 +3779,15 @@ msgid "Processing..."
msgstr "Processant…"
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr "perfil"
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Perfil"
@@ -3749,7 +3795,7 @@ msgstr "Perfil"
msgid "Profile updated"
msgstr "Perfil actualitzat"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Protegeix el teu compte verificant el teu correu."
@@ -3799,15 +3845,15 @@ msgstr "Aleatori (també conegut com a \"Poster's Roulette\")"
msgid "Ratios"
msgstr "Proporcions"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr "Cerques recents"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Canals recomanats"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Usuaris recomanats"
@@ -3828,7 +3874,7 @@ msgstr "Elimina"
msgid "Remove account"
msgstr "Elimina el compte"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr "Elimina l'avatar"
@@ -3846,8 +3892,8 @@ msgstr "Vols eliminar el canal?"
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Elimina dels meus canals"
@@ -3892,7 +3938,7 @@ msgstr "Elimina de la llista"
msgid "Removed from my feeds"
msgstr "Eliminat dels meus canals"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr "Eliminat dels teus canals"
@@ -3900,7 +3946,7 @@ msgstr "Eliminat dels teus canals"
msgid "Removes default thumbnail from {0}"
msgstr "Elimina la miniatura per defecte de {0}"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Respostes"
@@ -3917,8 +3963,8 @@ msgstr "Respon"
msgid "Reply Filters"
msgstr "Filtres de resposta"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "Resposta a <0/>"
@@ -3934,19 +3980,19 @@ msgstr "Informa del compte"
#: src/components/ReportDialog/index.tsx:49
msgid "Report dialog"
-msgstr ""
+msgstr "Diàleg de l'informe"
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Informa del canal"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Informa de la llista"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Informa de la publicació"
@@ -3995,7 +4041,7 @@ msgstr "Republica o cita la publicació"
msgid "Reposted By"
msgstr "Republicat per"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "Republicat per {0}"
@@ -4004,10 +4050,14 @@ msgstr "Republicat per {0}"
#~ msgstr "Republicada per {0}"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "Republicada per <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "Republicada per <0/>"
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
+
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "ha republicat la teva publicació"
@@ -4029,7 +4079,7 @@ msgstr "Demana un canvi"
msgid "Request Code"
msgstr "Demana un codi"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Requereix un text alternatiu abans de publicar"
@@ -4049,8 +4099,8 @@ msgstr "Codi de restabliment"
#~ msgid "Reset onboarding"
#~ msgstr "Restableix la incorporació"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Restableix l'estat de la incorporació"
@@ -4062,16 +4112,16 @@ msgstr "Restableix la contrasenya"
#~ msgid "Reset preferences"
#~ msgstr "Restableix les preferències"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Restableix l'estat de les preferències"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Restableix l'estat de la incorporació"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Restableix l'estat de les preferències"
@@ -4090,7 +4140,7 @@ msgstr "Torna a intentar l'última acció, que ha donat error"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
@@ -4101,7 +4151,7 @@ msgstr "Torna-ho a provar"
#~ msgstr "Torna-ho a provar"
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Torna a la pàgina anterior"
@@ -4151,12 +4201,12 @@ msgstr "Desa el canvi d'identificador"
msgid "Save image crop"
msgstr "Desa la imatge retallada"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr "Desa-ho als meus canals"
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Canals desats"
@@ -4164,7 +4214,7 @@ msgstr "Canals desats"
msgid "Saved to your camera roll."
msgstr "S'ha desat a la teva galeria d'imatges."
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr "S'ha desat als teus canals."
@@ -4184,28 +4234,28 @@ msgstr "Desa la configuració de retall d'imatges"
msgid "Science"
msgstr "Ciència"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Desplaça't cap a dalt"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Cerca"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "Cerca per \"{query}\""
@@ -4260,13 +4310,18 @@ msgstr "Mostra les publicacions amb <0>{displayTag}0> d'aquest usuari"
#~ msgid "See <0>{tag}0> posts by this user"
#~ msgstr "Mostra les publicacions amb <0>{tag}0> d'aquest usuari"
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Consulta aquesta guia"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Què més hi ha"
+#~ msgid "See what's next"
+#~ msgstr "Què més hi ha"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4274,7 +4329,7 @@ msgstr "Selecciona {item}"
#: src/screens/Login/ChooseAccountForm.tsx:61
msgid "Select account"
-msgstr ""
+msgstr "Selecciona el compte"
#: src/view/com/modals/ServerInput.tsx:75
#~ msgid "Select Bluesky Social"
@@ -4305,7 +4360,7 @@ msgstr "Selecciona l'opció {i} de {numItems}"
msgid "Select some accounts below to follow"
msgstr "Selecciona alguns d'aquests comptes per a seguir-los"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr "Selecciona els serveis de moderació als quals voleu informar"
@@ -4333,9 +4388,9 @@ msgstr "Selecciona quins idiomes vols que incloguin els canals a què estàs sub
msgid "Select your app language for the default text to display in the app."
msgstr "Selecciona l'idioma de l'aplicació perquè el text predeterminat es mostri a l'aplicació."
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
-msgstr ""
+msgstr "Selecciona la teva data de naixement"
#: src/screens/Onboarding/StepInterests/index.tsx:200
msgid "Select your interests from the options below"
@@ -4375,13 +4430,13 @@ msgstr "Envia correu"
#~ msgid "Send Email"
#~ msgstr "Envia correu"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Envia comentari"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr "Envia informe"
@@ -4475,23 +4530,23 @@ msgstr "Configura el teu compte"
msgid "Sets Bluesky username"
msgstr "Estableix un nom d'usuari de Bluesky"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr "Estableix el tema a fosc"
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr "Estableix el tema a clar"
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr "Estableix el tema a la configuració del sistema"
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr "Estableix el tema fosc al tema fosc"
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr "Estableix el tema fosc al tema atenuat"
@@ -4521,10 +4576,10 @@ msgstr "Estableix la relació d'aspecte de la imatge com a ampla"
#~ msgstr "Estableix el servidor pel cient de Bluesky"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Configuració"
@@ -4543,38 +4598,38 @@ msgstr "Comparteix"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Comparteix"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr "Comparteix de totes maneres"
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Comparteix el canal"
#: src/view/com/modals/LinkWarning.tsx:89
#: src/view/com/modals/LinkWarning.tsx:95
msgid "Share Link"
-msgstr ""
+msgstr "Comparteix l'enllaç"
#: src/view/com/modals/LinkWarning.tsx:92
msgid "Shares the linked website"
-msgstr ""
+msgstr "Comparteix la web enllaçada"
#: src/components/moderation/ContentHider.tsx:115
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Mostra"
@@ -4604,9 +4659,9 @@ msgstr "Mostra la insígnia i filtra-ho dels canals"
msgid "Show follows similar to {0}"
msgstr "Mostra seguidors semblants a {0}"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Mostra més"
@@ -4663,7 +4718,7 @@ msgstr "Mostra les republicacions al canal Seguint"
msgid "Show the content"
msgstr "Mostra el contingut"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Mostra usuaris"
@@ -4683,24 +4738,24 @@ msgstr "Mostra l'advertiment i filtra-ho del canals"
msgid "Shows posts from {0} in your feed"
msgstr "Mostra les publicacions de {0} al teu canal"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Inicia sessió"
@@ -4718,28 +4773,36 @@ msgstr "Inicia sessió com a {0}"
msgid "Sign in as..."
msgstr "Inicia sessió com a …"
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "Inicia sessió en"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Tanca sessió"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Registra't"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Registra't o inicia sessió per a unir-te a la conversa"
@@ -4748,7 +4811,7 @@ msgstr "Registra't o inicia sessió per a unir-te a la conversa"
msgid "Sign-in Required"
msgstr "Es requereix iniciar sessió"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "S'ha iniciat sessió com a"
@@ -4784,7 +4847,7 @@ msgstr "Desenvolupament de programari"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr "Alguna cosa ha fallat, torna-ho a provar."
@@ -4796,7 +4859,7 @@ msgstr "Alguna cosa ha fallat, torna-ho a provar."
#~ msgid "Something went wrong. Check your email and try again."
#~ msgstr "Alguna cosa ha fallat. Comprova el teu correu i torna-ho a provar."
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "La teva sessió ha caducat. Torna a iniciar-la."
@@ -4832,24 +4895,24 @@ msgstr "Quadrat"
#~ msgid "Staging"
#~ msgstr "Posada en escena"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Pàgina d'estat"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
-msgstr ""
+msgstr "Pas"
#: src/view/com/auth/create/StepHeader.tsx:22
#~ msgid "Step {0} of {numSteps}"
#~ msgstr "Pas {0} de {numSteps}"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "L'emmagatzematge s'ha esborrat, cal que reinicieu l'aplicació ara."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Historial"
@@ -4858,15 +4921,15 @@ msgstr "Historial"
msgid "Submit"
msgstr "Envia"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Subscriure's"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr "Subscriu-te a @{0} per a utilitzar aquestes etiquetes:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr "Subscriu-te a l'Etiquetador"
@@ -4875,15 +4938,15 @@ msgstr "Subscriu-te a l'Etiquetador"
msgid "Subscribe to the {0} feed"
msgstr "Subscriu-te al canal {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr "Subscriu-te a aquest etiquetador"
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Subscriure's a la llista"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Usuaris suggerits per a seguir"
@@ -4910,19 +4973,19 @@ msgstr "Suport"
msgid "Switch Account"
msgstr "Canvia el compte"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "Canvia a {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Canvia en compte amb el que tens iniciada la sessió"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "Sistema"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Registres del sistema"
@@ -4956,9 +5019,9 @@ msgstr "Condicions"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Condicions del servei"
@@ -4976,7 +5039,7 @@ msgstr "text"
msgid "Text input field"
msgstr "Camp d'introducció de text"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr "Gràcies. El teu informe s'ha enviat."
@@ -4984,11 +5047,11 @@ msgstr "Gràcies. El teu informe s'ha enviat."
msgid "That contains the following:"
msgstr "Això conté els següents:"
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "Aquest identificador ja està agafat."
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "El compte podrà interactuar amb tu després del desbloqueig."
@@ -5042,8 +5105,8 @@ msgstr "Les condicions del servei han estat traslladades a"
msgid "There are many feeds to try:"
msgstr "Hi ha molts canals per a provar:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Hi ha hagut un problema per a contactar amb el servidor, comprova la teva connexió a internet i torna-ho a provar."
@@ -5051,15 +5114,15 @@ msgstr "Hi ha hagut un problema per a contactar amb el servidor, comprova la tev
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Hi ha hagut un problema per a eliminar aquest canal, comprova la teva connexió a internet i torna-ho a provar."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Hi ha hagut un problema per a actualitzar els teus canals, comprova la teva connexió a internet i torna-ho a provar."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "Hi ha hagut un problema per a contactar amb el servidor"
@@ -5082,12 +5145,12 @@ msgstr "Hi ha hagut un problema en obtenir les notificacions. Toca aquí per a t
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Hi ha hagut un problema en obtenir la llista. Toca aquí per a tornar-ho a provar."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Hi ha hagut un problema en obtenir les teves llistes. Toca aquí per a tornar-ho a provar."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr "S'ha produït un problema en enviar el teu informe. Comprova la teva connexió a Internet."
@@ -5113,10 +5176,10 @@ msgstr "Hi ha hagut un problema en obtenir les teves contrasenyes d'aplicació"
msgid "There was an issue! {0}"
msgstr "Hi ha hagut un problema! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Hi ha hagut un problema. Comprova la teva connexió a internet i torna-ho a provar."
@@ -5184,9 +5247,9 @@ msgstr "Aquesta funció està en versió beta. Podeu obtenir més informació so
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Aquest canal està rebent moltes visites actualment i està temporalment inactiu. Prova-ho més tard."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Aquest canal està buit!"
@@ -5210,7 +5273,7 @@ msgstr "Això és important si mai necessites canviar el teu correu o restablir
msgid "This label was applied by {0}."
msgstr "Aquesta etiqueta l'ha aplicat {0}."
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr "Aquest etiquetador no ha declarat quines etiquetes publica i pot ser que no estigui actiu."
@@ -5218,7 +5281,7 @@ msgstr "Aquest etiquetador no ha declarat quines etiquetes publica i pot ser que
msgid "This link is taking you to the following website:"
msgstr "Aquest enllaç et porta a la web:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "Aquesta llista està buida!"
@@ -5234,12 +5297,12 @@ msgstr "Aquest nom ja està en ús"
msgid "This post has been deleted."
msgstr "Aquesta publicació ha estat esborrada."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr "Aquesta publicació només és visible per als usuaris que han iniciat sessió. No serà visible per a les persones que no hagin iniciat sessió."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr "Aqeusta publicació no es mostrarà als canals."
@@ -5304,12 +5367,12 @@ msgstr "Això suprimirà {0} de les teves paraules silenciades. Sempre la pots t
#~ msgid "This will hide this post from your feeds."
#~ msgstr "Això amagarà aquesta publicació dels teus canals."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr "Preferències dels fils de debat"
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Preferències dels fils de debat"
@@ -5337,14 +5400,18 @@ msgstr "Commuta el menú desplegable"
msgid "Toggle to enable or disable adult content"
msgstr "Communta per a habilitar o deshabilitar el contingut per adults"
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Transformacions"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Tradueix"
@@ -5361,11 +5428,11 @@ msgstr "Torna-ho a provar"
msgid "Type:"
msgstr "Tipus:"
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Desbloqueja la llista"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Deixa de silenciar la llista"
@@ -5373,15 +5440,15 @@ msgstr "Deixa de silenciar la llista"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "No es pot contactar amb el teu servei. Comprova la teva connexió a internet."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Desbloqueja"
@@ -5395,7 +5462,7 @@ msgstr "Desbloqueja"
msgid "Unblock Account"
msgstr "Desbloqueja el compte"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr "Vols desbloquejar el compte?"
@@ -5408,7 +5475,7 @@ msgid "Undo repost"
msgstr "Desfés la republicació"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr "Deixa de seguir"
@@ -5430,16 +5497,16 @@ msgstr "Deixa de seguir el compte"
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "No compleixes les condicions per a crear un compte."
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "Desfés el m'agrada"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr "Desfés el m'agrada a aquest canal"
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Deixa de silenciar"
@@ -5460,21 +5527,21 @@ msgstr "Deixa de silenciar totes les publicacions amb {displayTag}"
#~ msgid "Unmute all {tag} posts"
#~ msgstr "Deixa de silenciar totes les publicacions amb {tag}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Deixa de silenciar el fil de debat"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Deixa de fixar"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr "Deixa de fixar a l'inici"
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Desancora la llista de moderació"
@@ -5482,11 +5549,11 @@ msgstr "Desancora la llista de moderació"
#~ msgid "Unsave"
#~ msgstr "No desis"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr "Dona't de baixa"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr "Dona't de baixa d'aquest etiquetador"
@@ -5514,20 +5581,20 @@ msgstr "Actualitzant…"
msgid "Upload a text file to:"
msgstr "Puja un fitxer de text a:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr "Puja de la càmera"
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr "Puja dels Arxius"
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5605,13 +5672,13 @@ msgstr "L'usuari t'ha bloquejat"
msgid "User list by {0}"
msgstr "Llista d'usuaris per {0}"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "Llista d'usuaris feta per <0/>"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "Llista d'usuaris feta per tu"
@@ -5631,7 +5698,9 @@ msgstr "Llistes d'usuaris"
msgid "Username or email address"
msgstr "Nom d'usuari o correu"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Usuaris"
@@ -5659,15 +5728,15 @@ msgstr "Valor:"
msgid "Verify {0}"
msgstr "Verifica {0}"
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "Verifica el correu"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Verifica el meu correu"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Verifica el meu correu"
@@ -5680,9 +5749,9 @@ msgstr "Verifica el correu nou"
msgid "Verify Your Email"
msgstr "Verifica el teu correu"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
-msgstr ""
+msgstr "Versió {0}"
#: src/screens/Onboarding/index.tsx:42
msgid "Video Games"
@@ -5696,11 +5765,11 @@ msgstr "Veure l'avatar de {0}"
msgid "View debug entry"
msgstr "Veure el registre de depuració"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr "Veure els detalls"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr "Veure els detalls per a informar d'una infracció dels drets d'autor"
@@ -5712,6 +5781,8 @@ msgstr "Veure el fil de debat complet"
msgid "View information about these labels"
msgstr "Mostra informació sobre aquestes etiquetes"
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Veure el perfil"
@@ -5724,7 +5795,7 @@ msgstr "Veure l'avatar"
msgid "View the labeling service provided by @{0}"
msgstr "Veure el servei d'etiquetatge proporcionat per @{0}"
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr "Veure els usuaris a qui els agrada aquest canal"
@@ -5800,11 +5871,11 @@ msgstr "T'informarem quan el teu compte estigui llest."
msgid "We'll use this to help customize your experience."
msgstr "Ho farem servir per a personalitzar la teva experiència."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Ens fa molta il·lusió que t'uneixis a nosaltres!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Ho sentim, però no hem pogut resoldre aquesta llista. Si això continua, posa't en contacte amb el creador de la llista, @{handleOrDid}."
@@ -5812,7 +5883,7 @@ msgstr "Ho sentim, però no hem pogut resoldre aquesta llista. Si això continua
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "Ho sentim, però no hem pogut carregar les teves paraules silenciades en aquest moment. Torna-ho a provar."
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Ens sap greu, però la teva cerca no s'ha pogut fer. Prova-ho d'aquí una estona."
@@ -5821,7 +5892,7 @@ msgstr "Ens sap greu, però la teva cerca no s'ha pogut fer. Prova-ho d'aquí un
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Ens sap greu! No podem trobar la pàgina que estàs cercant."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr "Ho sentim! Només et pots subscriure a deu etiquetadors i has arribat al teu límit de deu."
@@ -5840,8 +5911,8 @@ msgstr "Quins són els teus interesos?"
#~ msgid "What's next?"
#~ msgstr "¿Qué sigue?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "Què hi ha de nou"
@@ -5944,15 +6015,15 @@ msgstr "No tens cap seguidor."
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "Encara no tens codis d'invitació! Te n'enviarem quan portis una mica més de temps a Bluesky."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "No tens cap canal fixat."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "No tens cap canal desat!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "No tens cap canal desat."
@@ -5994,16 +6065,16 @@ msgstr "Has silenciat aquest usuari"
#~ msgid "You have muted this user."
#~ msgstr "Has silenciat aquest usuari."
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "No tens canals."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "No tens llistes."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr "Encara no has bloquejat cap compte. Per a bloquejar un compte, ves al seu perfil i selecciona \"Bloqueja el compte\" al menú del seu compte."
@@ -6015,7 +6086,7 @@ msgstr "Encara no has bloquejat cap compte. Per a bloquejar un compte, ves al se
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Encara no has creat cap contrasenya d'aplicació. Pots fer-ho amb el botó d'aquí sota."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr "Encara no has silenciat cap compte. per a silenciar un compte, ves al seu perfil i selecciona \"Silencia el compte\" al menú del seu compte."
@@ -6029,11 +6100,11 @@ msgstr "Encara no has silenciat cap paraula ni etiqueta"
#: src/components/moderation/LabelsOnMeDialog.tsx:68
msgid "You may appeal these labels if you feel they were placed in error."
-msgstr "Pots apel·lar aquestes etiquetes si creus que s'han col·locat per error,"
+msgstr "Pots apel·lar aquestes etiquetes si creus que s'han col·locat per error."
#: src/screens/Signup/StepInfo/Policies.tsx:79
msgid "You must be 13 years of age or older to sign up."
-msgstr ""
+msgstr "Has de tenir 13 anys o més per registrar-te"
#: src/view/com/modals/ContentFilteringSettings.tsx:175
#~ msgid "You must be 18 or older to enable adult content."
@@ -6043,15 +6114,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "Has de tenir 18 anys o més per a habilitar el contingut per a adults"
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr "Has d'escollir almenys un etiquetador per a un informe"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Ja no rebràs més notificacions d'aquest debat"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Ara rebràs notificacions d'aquest debat"
@@ -6082,7 +6153,7 @@ msgstr "Has triat amagar una paraula o una etiqueta d'aquesta publicació."
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Has arribat al final del vostre cabal! Cerca alguns comptes més per a seguir."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "El teu compte"
@@ -6094,7 +6165,7 @@ msgstr "El teu compte s'ha eliminat"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "El repositori del teu compte, que conté tots els registres de dades públiques, es pot baixar com a fitxer \"CAR\". Aquest fitxer no inclou incrustacions multimèdia, com ara imatges, ni les teves dades privades, que s'han d'obtenir per separat."
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "La teva data de naixement"
@@ -6128,7 +6199,7 @@ msgstr "El teu correu encara no s'ha verificat. Et recomanem fer-ho per segureta
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "El teu canal de seguint està buit! Segueix a més usuaris per a saber què està passant."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "El teu identificador complet serà"
@@ -6164,7 +6235,7 @@ msgstr "S'ha publicat"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Les teves publicacions, m'agrades i bloquejos són públics. Els comptes silenciats són privats."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "El teu perfil"
@@ -6172,6 +6243,6 @@ msgstr "El teu perfil"
msgid "Your reply has been published"
msgstr "S'ha publicat la teva resposta"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "El teu identificador d'usuari"
diff --git a/src/locale/locales/de/messages.po b/src/locale/locales/de/messages.po
index 28fd2256b6..6316d69c31 100644
--- a/src/locale/locales/de/messages.po
+++ b/src/locale/locales/de/messages.po
@@ -17,11 +17,12 @@ msgstr ""
msgid "(no email)"
msgstr "(keine E-Mail)"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} folge ich"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} ungelesen"
@@ -33,15 +34,20 @@ msgstr "<0/> Mitglieder"
msgid "<0>{0}0> following"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>folge ich1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Wähle deine0><1>empfohlenen1><2>Feeds2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Folge einigen0><1>empfohlenen1><2>Nutzern2>"
@@ -49,7 +55,7 @@ msgstr "<0>Folge einigen0><1>empfohlenen1><2>Nutzern2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Willkommen bei0><1>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Ungültiger Handle"
@@ -62,16 +68,16 @@ msgstr "⚠Ungültiger Handle"
#~ msgstr "Eine neue Version der App ist verfügbar. Bitte aktualisiere die App, um sie weiter nutzen zu können."
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Zugriff auf Navigationslinks und Einstellungen"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Zugang zum Profil und anderen Navigationslinks"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Barrierefreiheit"
@@ -80,8 +86,8 @@ msgid "account"
msgstr ""
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Konto"
@@ -100,11 +106,11 @@ msgstr "Konto stummgeschaltet"
#: src/components/moderation/ModerationDetailsDialog.tsx:93
#: src/lib/moderation/useModerationCauseDescription.ts:91
msgid "Account Muted"
-msgstr "Konto Stummgeschaltet"
+msgstr "Konto stummgeschaltet"
#: src/components/moderation/ModerationDetailsDialog.tsx:82
msgid "Account Muted by List"
-msgstr "Konto stummgeschaltet nach Liste"
+msgstr "Konto stummgeschaltet gemäß Liste"
#: src/view/com/util/AccountDropdownBtn.tsx:41
msgid "Account options"
@@ -121,17 +127,17 @@ msgstr "Konto entblockiert"
#: src/view/com/profile/ProfileMenu.tsx:166
msgid "Account unfollowed"
-msgstr ""
+msgstr "Konto entfolgt"
#: src/view/com/profile/ProfileMenu.tsx:102
msgid "Account unmuted"
-msgstr "Konto Stummschaltung aufgehoben"
+msgstr "Stummschaltung für Konto aufgehoben"
#: src/components/dialogs/MutedWords.tsx:164
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Hinzufügen"
@@ -139,13 +145,13 @@ msgstr "Hinzufügen"
msgid "Add a content warning"
msgstr "Eine Inhaltswarnung hinzufügen"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Einen Nutzer zu dieser Liste hinzufügen"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Konto hinzufügen"
@@ -231,11 +237,11 @@ msgid "Adult content is disabled."
msgstr ""
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Erweitert"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "All deine gespeicherten Feeds an einem Ort."
@@ -270,8 +276,10 @@ msgstr "Eine E-Mail wurde an deine vorherige Adresse {0} gesendet. Sie enthält
#: src/lib/moderation/useReportOptions.ts:26
msgid "An issue not included in these options"
-msgstr ""
+msgstr "Ein Problem, das hier nicht aufgelistet ist"
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -279,7 +287,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr "Es ist ein Problem aufgetreten, bitte versuche es erneut."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "und"
@@ -290,7 +298,7 @@ msgstr "Tiere"
#: src/lib/moderation/useReportOptions.ts:31
msgid "Anti-Social Behavior"
-msgstr ""
+msgstr "Asoziales Verhalten"
#: src/view/screens/LanguageSettings.tsx:95
msgid "App Language"
@@ -308,13 +316,13 @@ msgstr "App-Passwortnamen dürfen nur Buchstaben, Zahlen, Leerzeichen, Bindestri
msgid "App Password names must be at least 4 characters long."
msgstr "App-Passwortnamen müssen mindestens 4 Zeichen lang sein."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "App-Passwort-Einstellungen"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "App-Passwörter"
@@ -325,7 +333,7 @@ msgstr ""
#: src/components/moderation/LabelsOnMeDialog.tsx:201
msgid "Appeal \"{0}\" label"
-msgstr ""
+msgstr "Kennzeichnung \"{0}\" anfechten"
#: src/view/com/util/forms/PostDropdownBtn.tsx:337
#: src/view/com/util/forms/PostDropdownBtn.tsx:346
@@ -338,7 +346,7 @@ msgstr ""
#: src/components/moderation/LabelsOnMeDialog.tsx:192
msgid "Appeal submitted."
-msgstr ""
+msgstr "Anfechtung abgeschickt."
#: src/view/com/util/moderation/LabelInfo.tsx:52
#~ msgid "Appeal this decision"
@@ -348,7 +356,7 @@ msgstr ""
#~ msgid "Appeal this decision."
#~ msgstr "Einspruch gegen diese Entscheidung."
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Erscheinungsbild"
@@ -358,7 +366,7 @@ msgstr "Bist du sicher, dass du das App-Passwort \"{name}\" löschen möchtest?"
#: src/view/com/feeds/FeedSourceCard.tsx:280
msgid "Are you sure you want to remove {0} from your feeds?"
-msgstr ""
+msgstr "Bist du sicher, dass du {0} von deinen Feeds entfernen möchtest?"
#: src/view/com/composer/Composer.tsx:509
msgid "Are you sure you'd like to discard this draft?"
@@ -384,9 +392,9 @@ msgstr "Kunst"
msgid "Artistic or non-erotic nudity."
msgstr "Künstlerische oder nicht-erotische Nacktheit."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
-msgstr ""
+msgstr "Mindestens 3 Zeichen"
#: src/components/moderation/LabelsOnMeDialog.tsx:246
#: src/components/moderation/LabelsOnMeDialog.tsx:247
@@ -399,7 +407,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Zurück"
@@ -413,7 +421,7 @@ msgstr "Zurück"
msgid "Based on your interest in {interestsText}"
msgstr "Ausgehend von deinem Interesse an {interestsText}"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Grundlagen"
@@ -421,14 +429,14 @@ msgstr "Grundlagen"
msgid "Birthday"
msgstr "Geburtstag"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Geburtstag:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
-msgstr ""
+msgstr "Blockieren"
#: src/view/com/profile/ProfileMenu.tsx:300
#: src/view/com/profile/ProfileMenu.tsx:307
@@ -437,18 +445,18 @@ msgstr "Konto blockieren"
#: src/view/com/profile/ProfileMenu.tsx:344
msgid "Block Account?"
-msgstr ""
+msgstr "Konto blockieren?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Konten blockieren"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Blockliste"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "Diese Konten blockieren?"
@@ -457,7 +465,7 @@ msgstr "Diese Konten blockieren?"
#~ msgstr "Diese Liste blockieren"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Blockiert"
@@ -466,7 +474,7 @@ msgid "Blocked accounts"
msgstr "Blockierte Konten"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Blockierte Konten"
@@ -474,32 +482,30 @@ msgstr "Blockierte Konten"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Blockierte Konten können nicht in deinen Threads antworten, dich erwähnen oder anderweitig mit dir interagieren."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Blockierte Konten können nicht in deinen Threads antworten, dich erwähnen oder anderweitig mit dir interagieren. Du wirst ihre Inhalte nicht sehen und sie werden daran gehindert, deine zu sehen."
#: src/view/com/post-thread/PostThread.tsx:313
msgid "Blocked post."
-msgstr "Gesperrter Beitrag."
+msgstr "Blockierter Beitrag."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
-msgstr ""
+msgstr "Blockieren hindert diesen Kennzeichnungsdienst nicht daran, Kennzeichnungen zu deinem Konto hinzuzufügen."
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
-msgstr "Die Sperrung ist öffentlich. Gesperrte Konten können nicht in deinen Threads antworten, dich erwähnen oder anderweitig mit dir interagieren."
+msgstr "Die Blockierung ist öffentlich. Blockierte Konten können nicht in deinen Threads antworten, dich erwähnen oder anderweitig mit dir interagieren."
#: src/view/com/profile/ProfileMenu.tsx:353
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
-msgstr ""
+msgstr "Blockieren verhindert nicht, dass Kennzeichnungen zu deinem Konto hinzugefügt werden, verhindert aber, dass dieses Konto in deinen Threads antworten oder interagieren kann."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blog"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -530,11 +536,11 @@ msgstr "Bluesky zeigt dein Profil und deine Beiträge nicht für abgemeldete Nut
#: src/lib/moderation/useLabelBehaviorDescription.ts:53
msgid "Blur images"
-msgstr ""
+msgstr "Bilder verwischen"
#: src/lib/moderation/useLabelBehaviorDescription.ts:51
msgid "Blur images and filter from feeds"
-msgstr ""
+msgstr "Bilder verwischen und aus Feeds herausfiltern"
#: src/screens/Onboarding/index.tsx:33
msgid "Books"
@@ -544,8 +550,7 @@ msgstr "Bücher"
#~ msgid "Build version {0} {1}"
#~ msgstr "Build-Version {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Business"
@@ -559,7 +564,7 @@ msgstr "von {0}"
#: src/components/LabelingServiceCard/index.tsx:57
msgid "By {0}"
-msgstr ""
+msgstr "Von {0}"
#: src/view/com/profile/ProfileSubpageHeader.tsx:161
msgid "by <0/>"
@@ -567,7 +572,7 @@ msgstr "von <0/>"
#: src/screens/Signup/StepInfo/Policies.tsx:74
msgid "By creating an account you agree to the {els}."
-msgstr ""
+msgstr "Mit dem Erstellen des Kontos akzeptierst du die {els}."
#: src/view/com/profile/ProfileSubpageHeader.tsx:159
msgid "by you"
@@ -603,7 +608,7 @@ msgstr "Darf nur Buchstaben, Zahlen, Leerzeichen, Bindestriche und Unterstriche
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Abbrechen"
@@ -649,17 +654,17 @@ msgstr ""
msgid "Change"
msgstr ""
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Ändern"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Handle ändern"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Handle ändern"
@@ -667,12 +672,12 @@ msgstr "Handle ändern"
msgid "Change my email"
msgstr "Meine E-Mail ändern"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Passwort ändern"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Passwort Ändern"
@@ -693,11 +698,11 @@ msgstr "Deine E-Mail ändern"
msgid "Check my status"
msgstr "Meinen Status prüfen"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Schau dir einige empfohlene Feeds an. Tippe auf +, um sie zu deiner Liste der angehefteten Feeds hinzuzufügen."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Schau dir einige empfohlene Nutzer an. Folge ihnen, um ähnliche Nutzer zu sehen."
@@ -730,36 +735,36 @@ msgstr "Wähle die Algorithmen aus, welche dein Erlebnis mit benutzerdefinierten
msgid "Choose your main feeds"
msgstr "Wähle deine Haupt-Feeds"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Wähle dein Passwort"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Alle alten Speicherdaten löschen"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Alle alten Speicherdaten löschen (danach neu starten)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Alle Speicherdaten löschen"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Alle Speicherdaten löschen (danach neu starten)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Suchanfrage löschen"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr ""
@@ -771,7 +776,7 @@ msgstr "hier klicken"
msgid "Click here to open tag menu for {tag}"
msgstr "Klicke hier, um das Tag-Menü für {tag} zu öffnen"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "Klicke hier, um das Tag-Menü für #{tag} zu öffnen"
@@ -805,7 +810,7 @@ msgstr "Bild schließen"
msgid "Close image viewer"
msgstr "Bildbetrachter schließen"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Fußzeile der Navigation schließen"
@@ -814,7 +819,7 @@ msgstr "Fußzeile der Navigation schließen"
msgid "Close this dialog"
msgstr "Diesen Dialog schließen"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Schließt die untere Navigationsleiste"
@@ -830,7 +835,7 @@ msgstr "Schließt den Beitragsverfasser und verwirft den Beitragsentwurf"
msgid "Closes viewer for header image"
msgstr "Schließt den Betrachter für das Banner"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Klappt die Liste der Benutzer für eine bestimmte Meldung zusammen"
@@ -851,7 +856,7 @@ msgstr "Community-Richtlinien"
msgid "Complete onboarding and start using your account"
msgstr "Schließe das Onboarding ab und nutze dein Konto"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "Beende die Herausforderung"
@@ -869,11 +874,11 @@ msgstr "Inhaltsfilterungseinstellung der Kategorie {0} konfigurieren"
#: src/components/moderation/LabelPreference.tsx:81
msgid "Configure content filtering setting for category: {name}"
-msgstr ""
+msgstr "Konfiguriere die Inhaltsfilterung für die Kategorie: {name}"
#: src/components/moderation/LabelPreference.tsx:244
msgid "Configured in <0>moderation settings0>."
-msgstr ""
+msgstr "Konfiguriert in <0>Moderationseinstellungen0>"
#: src/components/Prompt.tsx:153
#: src/components/Prompt.tsx:156
@@ -910,11 +915,11 @@ msgstr "Bestätige das Löschen des Kontos"
#: src/screens/Moderation/index.tsx:301
msgid "Confirm your age:"
-msgstr ""
+msgstr "Bestätige dein Alter:"
#: src/screens/Moderation/index.tsx:292
msgid "Confirm your birthdate"
-msgstr ""
+msgstr "Bestätige dein Geburtsdatum"
#: src/view/com/modals/ChangeEmail.tsx:157
#: src/view/com/modals/DeleteAccount.tsx:175
@@ -927,7 +932,7 @@ msgstr "Bestätigungscode"
msgid "Connecting..."
msgstr "Verbinden..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Support kontaktieren"
@@ -937,7 +942,7 @@ msgstr ""
#: src/lib/moderation/useGlobalLabelStrings.ts:18
msgid "Content Blocked"
-msgstr ""
+msgstr "Inhalt blockiert"
#: src/view/screens/Moderation.tsx:83
#~ msgid "Content filtering"
@@ -949,7 +954,7 @@ msgstr ""
#: src/screens/Moderation/index.tsx:285
msgid "Content filters"
-msgstr ""
+msgstr "Inhaltsfilterung"
#: src/view/com/modals/lang-settings/ContentLanguagesSettings.tsx:74
#: src/view/screens/LanguageSettings.tsx:278
@@ -974,28 +979,28 @@ msgstr "Inhaltswarnungen"
#: src/components/Menu/index.web.tsx:84
msgid "Context menu backdrop, click to close the menu."
-msgstr ""
+msgstr "Hintergrund des Kontextmenüs, klicken, um das Menü zu schließen"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:161
#: src/screens/Onboarding/StepFollowingFeed.tsx:154
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Fortfahren"
#: src/components/AccountList.tsx:108
msgid "Continue as {0} (currently signed in)"
-msgstr ""
+msgstr "Fortfahren mit {0} (aktuell angemeldet)"
#: src/screens/Onboarding/StepFollowingFeed.tsx:151
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Weiter zum nächsten Schritt"
@@ -1016,17 +1021,21 @@ msgstr "Kochen"
msgid "Copied"
msgstr "Kopiert"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Die Build-Version wurde in die Zwischenablage kopiert"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "In die Zwischenablage kopiert"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Kopiert das App-Passwort"
@@ -1037,14 +1046,19 @@ msgstr "Kopieren"
#: src/view/com/modals/ChangeHandle.tsx:480
msgid "Copy {0}"
+msgstr "{} kopieren"
+
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
msgstr ""
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Link zur Liste kopieren"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Link zum Beitrag kopieren"
@@ -1052,8 +1066,8 @@ msgstr "Link zum Beitrag kopieren"
#~ msgid "Copy link to profile"
#~ msgstr "Link zum Profil kopieren"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Beitragstext kopieren"
@@ -1066,37 +1080,40 @@ msgstr "Urheberrechtsbestimmungen"
msgid "Could not load feed"
msgstr "Feed konnte nicht geladen werden"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "Liste konnte nicht geladen werden"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Ein neues Konto erstellen"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Erstelle ein neues Bluesky-Konto"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Konto erstellen"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "App-Passwort erstellen"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Neues Konto erstellen"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
-msgstr ""
+msgstr "Meldung für {0} erstellen"
#: src/view/screens/AppPasswords.tsx:246
msgid "Created {0}"
@@ -1128,7 +1145,7 @@ msgid "Custom domain"
msgstr "Benutzerdefinierte Domain"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "Benutzerdefinierte Feeds, die von der Community erstellt wurden, bringen dir neue Erfahrungen und helfen dir, die Inhalte zu finden, die du liebst."
@@ -1136,8 +1153,8 @@ msgstr "Benutzerdefinierte Feeds, die von der Community erstellt wurden, bringen
msgid "Customize media from external sites."
msgstr "Passe die Einstellungen für Medien von externen Websites an."
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Dunkel"
@@ -1145,15 +1162,15 @@ msgstr "Dunkel"
msgid "Dark mode"
msgstr "Dunkelmodus"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Dunkles Thema"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1161,13 +1178,13 @@ msgstr ""
msgid "Debug panel"
msgstr "Debug-Panel"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
-msgstr ""
+msgstr "Löschen"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Konto löschen"
@@ -1181,9 +1198,9 @@ msgstr "App-Passwort löschen"
#: src/view/screens/AppPasswords.tsx:263
msgid "Delete app password?"
-msgstr ""
+msgstr "App-Passwort löschen?"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Liste löschen"
@@ -1191,24 +1208,24 @@ msgstr "Liste löschen"
msgid "Delete my account"
msgstr "Mein Konto löschen"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Mein Konto Löschen…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Beitrag löschen"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
-msgstr ""
+msgstr "Diese Liste löschen?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "Diesen Beitrag löschen?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Gelöscht"
@@ -1227,16 +1244,24 @@ msgstr "Beschreibung"
msgid "Did you want to say anything?"
msgstr "Wolltest du etwas sagen?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Dimmen"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
#: src/screens/Moderation/index.tsx:341
msgid "Disabled"
-msgstr ""
+msgstr "Deaktiviert"
#: src/view/com/composer/Composer.tsx:511
msgid "Discard"
@@ -1248,7 +1273,7 @@ msgstr "Verwerfen"
#: src/view/com/composer/Composer.tsx:508
msgid "Discard draft?"
-msgstr ""
+msgstr "Entwurf löschen?"
#: src/screens/Moderation/index.tsx:518
#: src/screens/Moderation/index.tsx:522
@@ -1260,7 +1285,7 @@ msgstr "Apps daran hindern, abgemeldeten Nutzern mein Konto zu zeigen"
msgid "Discover new custom feeds"
msgstr "Entdecke neue benutzerdefinierte Feeds"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "Entdecke neue Feeds"
@@ -1278,11 +1303,11 @@ msgstr ""
#: src/lib/moderation/useGlobalLabelStrings.ts:39
msgid "Does not include nudity."
-msgstr ""
+msgstr "Beinhaltet keine Nacktheit."
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
-msgstr ""
+msgstr "Beginnt oder endet nicht mit einem Bindestrich"
#: src/view/com/modals/ChangeHandle.tsx:481
msgid "Domain Value"
@@ -1310,7 +1335,7 @@ msgstr "Domain verifiziert!"
msgid "Done"
msgstr "Erledigt"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1350,7 +1375,7 @@ msgstr "Aufgrund der Apple-Richtlinien können Inhalte für Erwachsene erst nach
#: src/view/com/modals/ChangeHandle.tsx:258
msgid "e.g. alice"
-msgstr ""
+msgstr "z.B. alice"
#: src/view/com/modals/EditProfile.tsx:186
msgid "e.g. Alice Roberts"
@@ -1358,7 +1383,7 @@ msgstr "z.B. Alice Roberts"
#: src/view/com/modals/ChangeHandle.tsx:380
msgid "e.g. alice.com"
-msgstr ""
+msgstr "z.B. alice.com"
#: src/view/com/modals/EditProfile.tsx:204
msgid "e.g. Artist, dog-lover, and avid reader."
@@ -1366,11 +1391,11 @@ msgstr "z.B. Künstlerin, Hundeliebhaberin und begeisterte Leserin."
#: src/lib/moderation/useGlobalLabelStrings.ts:43
msgid "E.g. artistic nudes."
-msgstr ""
+msgstr "Z.B. künstlerische Nacktheit"
#: src/view/com/modals/CreateOrEditList.tsx:284
msgid "e.g. Great Posters"
-msgstr "z.B. Große Poster"
+msgstr "z.B. Großartige Poster"
#: src/view/com/modals/CreateOrEditList.tsx:285
msgid "e.g. Spammers"
@@ -1393,17 +1418,17 @@ msgctxt "action"
msgid "Edit"
msgstr "Bearbeiten"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
-msgstr ""
+msgstr "Avatar bearbeiten"
#: src/view/com/composer/photos/Gallery.tsx:144
#: src/view/com/modals/EditImage.tsx:208
msgid "Edit image"
msgstr "Bild bearbeiten"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Details der Liste bearbeiten"
@@ -1412,8 +1437,8 @@ msgid "Edit Moderation List"
msgstr "Moderationsliste bearbeiten"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Meine Feeds bearbeiten"
@@ -1421,18 +1446,18 @@ msgstr "Meine Feeds bearbeiten"
msgid "Edit my profile"
msgstr "Mein Profil bearbeiten"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Profil bearbeiten"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Profil bearbeiten"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Gespeicherte Feeds bearbeiten"
@@ -1474,17 +1499,31 @@ msgstr "E-Mail aktualisiert"
msgid "Email verified"
msgstr "E-Mail verifiziert"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "E-Mail:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Nur {0} aktivieren"
#: src/screens/Moderation/index.tsx:329
msgid "Enable adult content"
-msgstr ""
+msgstr "Inhalte für Erwachsene aktivieren"
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:94
msgid "Enable Adult Content"
@@ -1498,7 +1537,7 @@ msgstr "Aktiviere Inhalte für Erwachsene in deinen Feeds"
#: src/components/dialogs/EmbedConsent.tsx:82
#: src/components/dialogs/EmbedConsent.tsx:89
msgid "Enable external media"
-msgstr ""
+msgstr "Externe Medien aktivieren"
#: src/view/com/modals/EmbedConsent.tsx:97
#~ msgid "Enable External Media"
@@ -1514,13 +1553,13 @@ msgstr "Aktiviere diese Einstellung, um nur Antworten von Personen zu sehen, den
#: src/components/dialogs/EmbedConsent.tsx:94
msgid "Enable this source only"
-msgstr ""
+msgstr "Nur von dieser Seite erlauben"
#: src/screens/Moderation/index.tsx:339
msgid "Enabled"
-msgstr ""
+msgstr "Aktiviert"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Ende des Feeds"
@@ -1530,7 +1569,7 @@ msgstr "Gebe einen Namen für dieses App-Passwort ein"
#: src/screens/Login/SetNewPasswordForm.tsx:139
msgid "Enter a password"
-msgstr ""
+msgstr "Gib ein Passwort ein"
#: src/components/dialogs/MutedWords.tsx:99
#: src/components/dialogs/MutedWords.tsx:100
@@ -1558,7 +1597,7 @@ msgid "Enter your birth date"
msgstr "Gib dein Geburtsdatum ein"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Gib deine E-Mail-Adresse ein"
@@ -1578,7 +1617,7 @@ msgstr "Gib deinen Benutzernamen und dein Passwort ein"
msgid "Error receiving captcha response."
msgstr "Fehler beim Empfang der Captcha-Antwort."
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Fehler:"
@@ -1588,35 +1627,35 @@ msgstr "Alle"
#: src/lib/moderation/useReportOptions.ts:66
msgid "Excessive mentions or replies"
-msgstr ""
+msgstr "Übermäßig viele Erwähnungen oder Antworten"
#: src/view/com/modals/DeleteAccount.tsx:230
msgid "Exits account deletion process"
-msgstr ""
+msgstr "Verlässt den Vorgang der Accountlöschung"
#: src/view/com/modals/ChangeHandle.tsx:151
msgid "Exits handle change process"
-msgstr "Beendet den Prozess des Handle-Wechsels"
+msgstr "Verlässt den Vorgang des Handle-Wechsels"
#: src/view/com/modals/crop-image/CropImage.web.tsx:136
msgid "Exits image cropping process"
-msgstr ""
+msgstr "Verlässt den Vorgang des Bildzuschneidens"
#: src/view/com/lightbox/Lightbox.web.tsx:130
msgid "Exits image view"
-msgstr "Beendet die Bildansicht"
+msgstr "Verlässt die Bildansicht"
#: src/view/com/modals/ListAddRemoveUsers.tsx:88
#: src/view/shell/desktop/Search.tsx:236
msgid "Exits inputting search query"
-msgstr "Beendet die Eingabe der Suchanfrage"
+msgstr "Verlässt die Eingabe der Suchanfrage"
#: src/view/com/lightbox/Lightbox.web.tsx:183
msgid "Expand alt text"
msgstr "Alt-Text erweitern"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Erweitere oder reduziere den gesamten Beitrag, auf den du antwortest"
@@ -1628,12 +1667,12 @@ msgstr ""
msgid "Explicit sexual images."
msgstr ""
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "Exportiere meine Daten"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "Exportiere meine Daten"
@@ -1649,11 +1688,11 @@ msgstr "Externe Medien können es Websites ermöglichen, Informationen über dic
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Externe Medienpräferenzen"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Externe Medienpräferenzen"
@@ -1666,18 +1705,18 @@ msgstr "Das App-Passwort konnte nicht erstellt werden."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "Die Liste konnte nicht erstellt werden. Überprüfe deine Internetverbindung und versuche es erneut."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "Beitrag konnte nicht gelöscht werden, bitte versuche es erneut"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Empfohlene Feeds konnten nicht geladen werden"
#: src/view/com/lightbox/Lightbox.tsx:83
msgid "Failed to save image: {0}"
-msgstr ""
+msgstr "Das Speichern des Bildes ist fehlgeschlagen: {0}"
#: src/Navigation.tsx:196
msgid "Feed"
@@ -1687,31 +1726,31 @@ msgstr "Feed"
msgid "Feed by {0}"
msgstr "Feed von {0}"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Feed offline"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Feedback"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Feeds"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Feeds werden von Nutzern erstellt, um Inhalte zu kuratieren. Wähle einige Feeds aus, die du interessant findest."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Feeds sind benutzerdefinierte Algorithmen, die Nutzer mit ein wenig Programmierkenntnisse erstellen. <0/> für mehr Informationen."
@@ -1721,11 +1760,11 @@ msgstr "Die Feeds können auch auf einem Thema basieren!"
#: src/view/com/modals/ChangeHandle.tsx:481
msgid "File Contents"
-msgstr ""
+msgstr "Dateiinhalt"
#: src/lib/moderation/useLabelBehaviorDescription.ts:66
msgid "Filter from feeds"
-msgstr ""
+msgstr "Aus Feeds filtern"
#: src/screens/Onboarding/StepFinished.tsx:155
msgid "Finalizing"
@@ -1737,11 +1776,11 @@ msgstr "Abschließen"
msgid "Find accounts to follow"
msgstr "Konten zum Folgen finden"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Nutzer auf Bluesky finden"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Finde Nutzer mit der Suchfunktion auf der rechten Seite"
@@ -1775,10 +1814,10 @@ msgid "Flip vertically"
msgstr "Vertikal drehen"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Folgen"
@@ -1796,7 +1835,7 @@ msgstr "{0} folgen"
#: src/view/com/profile/ProfileMenu.tsx:242
#: src/view/com/profile/ProfileMenu.tsx:253
msgid "Follow Account"
-msgstr ""
+msgstr "Accounts folgen"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:187
msgid "Follow All"
@@ -1804,17 +1843,17 @@ msgstr "Allen folgen"
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:144
msgid "Follow Back"
-msgstr ""
+msgstr "Zurückfolgen"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:182
msgid "Follow selected accounts and continue to the next step"
msgstr "Ausgewählten Konten folgen und mit dem nächsten Schritt fortfahren"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Folge einigen Nutzern, um loszulegen. Wir können dir weitere Nutzer empfehlen, je nachdem, wen du interessant findest."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "Gefolgt von {0}"
@@ -1826,7 +1865,7 @@ msgstr "Benutzer, denen ich folge"
msgid "Followed users only"
msgstr "Nur Benutzer, denen ich folge"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "folgte dir"
@@ -1835,7 +1874,7 @@ msgstr "folgte dir"
msgid "Followers"
msgstr "Follower"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1846,15 +1885,15 @@ msgstr "Folge ich"
msgid "Following {0}"
msgstr "ich folge {0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr ""
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "Following-Feed-Einstellungen"
@@ -1862,7 +1901,7 @@ msgstr "Following-Feed-Einstellungen"
msgid "Follows you"
msgstr "Folgt dir"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Folgt dir"
@@ -1893,22 +1932,22 @@ msgstr "Passwort vergessen"
#: src/screens/Login/LoginForm.tsx:201
msgid "Forgot password?"
-msgstr ""
+msgstr "Passwort vergessen?"
#: src/screens/Login/LoginForm.tsx:212
msgid "Forgot?"
-msgstr ""
+msgstr "Vergessen?"
#: src/lib/moderation/useReportOptions.ts:52
msgid "Frequently Posts Unwanted Content"
-msgstr ""
+msgstr "Postet oft unerwünschte Inhalte"
#: src/screens/Hashtag.tsx:109
#: src/screens/Hashtag.tsx:149
msgid "From @{sanitizedAuthor}"
msgstr "Von @{sanitizedAuthor}"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "Aus <0/>"
@@ -1924,7 +1963,7 @@ msgstr "Los geht's"
#: src/lib/moderation/useReportOptions.ts:37
msgid "Glaring violations of law or terms of service"
-msgstr ""
+msgstr "Eklatante Verstöße gegen Gesetze oder Nutzungsbedingungen"
#: src/components/moderation/ScreenHider.tsx:151
#: src/components/moderation/ScreenHider.tsx:160
@@ -1932,7 +1971,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Gehe zurück"
@@ -1942,15 +1981,15 @@ msgstr "Gehe zurück"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Gehe zurück"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "Zum vorherigen Schritt zurückkehren"
@@ -1962,7 +2001,7 @@ msgstr ""
msgid "Go Home"
msgstr ""
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "Gehe zu @{queryMaybeHandle}"
@@ -1988,16 +2027,16 @@ msgstr ""
msgid "Hashtag"
msgstr "Hashtag"
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr "Hashtag: #{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "Hast du Probleme?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Hilfe"
@@ -2026,17 +2065,17 @@ msgstr "Hier ist dein App-Passwort."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Ausblenden"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "Ausblenden"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Beitrag ausblenden"
@@ -2045,11 +2084,11 @@ msgstr "Beitrag ausblenden"
msgid "Hide the content"
msgstr "Den Inhalt ausblenden"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "Diesen Beitrag ausblenden?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Benutzerliste ausblenden"
@@ -2085,11 +2124,11 @@ msgstr ""
msgid "Hmmmm, we couldn't load that moderation service."
msgstr ""
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Home"
@@ -2132,13 +2171,13 @@ msgstr "Wenn keine ausgewählt werden, sind sie für alle Altersgruppen geeignet
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
-msgstr ""
+msgstr "Wenn du diese Liste löschst, kannst du sie nicht wiederherstellen."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
-msgstr ""
+msgstr "Wenn du diesen Post löschst, kannst du ihn nicht wiederherstellen."
#: src/view/com/modals/ChangePassword.tsx:148
msgid "If you want to change your password, we will send you a code to verify that this is your account."
@@ -2146,7 +2185,7 @@ msgstr "Wenn du dein Passwort ändern möchtest, senden wir dir einen Code, um z
#: src/lib/moderation/useReportOptions.ts:36
msgid "Illegal and Urgent"
-msgstr ""
+msgstr "Illegal und dringend"
#: src/view/com/util/images/Gallery.tsx:38
msgid "Image"
@@ -2209,7 +2248,7 @@ msgstr "Gib dein Passwort ein"
msgid "Input your preferred hosting provider"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Gib deinen Handle ein"
@@ -2245,8 +2284,7 @@ msgstr "Einladungscodes: 1 verfügbar"
msgid "It shows posts from the people you follow as they happen."
msgstr "Es zeigt die Beiträge der Personen an, denen du folgst, sobald sie erscheinen."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Jobs"
@@ -2266,11 +2304,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2290,7 +2328,7 @@ msgstr ""
msgid "Language selection"
msgstr "Sprachauswahl"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Spracheinstellungen"
@@ -2299,7 +2337,7 @@ msgstr "Spracheinstellungen"
msgid "Language Settings"
msgstr "Spracheinstellungen"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Sprachen"
@@ -2307,6 +2345,10 @@ msgstr "Sprachen"
#~ msgid "Last step!"
#~ msgstr "Letzter Schritt!"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr "Mehr erfahren"
@@ -2345,7 +2387,7 @@ msgstr "Bluesky verlassen"
msgid "left to go."
msgstr "noch übrig."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "Der Legacy-Speicher wurde gelöscht, du musst die App jetzt neu starten."
@@ -2363,16 +2405,16 @@ msgstr "Los geht's!"
#~ msgid "Library"
#~ msgstr "Bibliothek"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Licht"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "Liken"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Diesen Feed liken"
@@ -2380,37 +2422,37 @@ msgstr "Diesen Feed liken"
#: src/Navigation.tsx:201
#: src/Navigation.tsx:206
msgid "Liked by"
-msgstr "Gelikt von"
+msgstr "Geliked von"
#: src/screens/Profile/ProfileLabelerLikedBy.tsx:29
#: src/view/screens/PostLikedBy.tsx:27
#: src/view/screens/ProfileFeedLikedBy.tsx:27
msgid "Liked By"
-msgstr "Gelikt von"
+msgstr "Geliked von"
#: src/view/com/feeds/FeedSourceCard.tsx:268
msgid "Liked by {0} {1}"
-msgstr "Von {0} {1} gelikt"
+msgstr "Von {0} {1} geliked"
#: src/components/LabelingServiceCard/index.tsx:72
msgid "Liked by {count} {0}"
-msgstr ""
+msgstr "Geliked von {count} {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
-msgstr "Von {likeCount} {0} gelikt"
+msgstr "Von {likeCount} {0} geliked"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
-msgstr "hat deinen benutzerdefinierten Feed gelikt"
+msgstr "hat deinen benutzerdefinierten Feed geliked"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
-msgstr "hat deinen Beitrag gelikt"
+msgstr "hat deinen Beitrag geliked"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Likes"
@@ -2424,9 +2466,9 @@ msgstr "Liste"
#: src/view/com/modals/CreateOrEditList.tsx:262
msgid "List Avatar"
-msgstr "Avatar auflisten"
+msgstr "Listenbild"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Liste blockiert"
@@ -2434,11 +2476,11 @@ msgstr "Liste blockiert"
msgid "List by {0}"
msgstr "Liste von {0}"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Liste gelöscht"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Liste stummgeschaltet"
@@ -2446,20 +2488,20 @@ msgstr "Liste stummgeschaltet"
msgid "List Name"
msgstr "Name der Liste"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Liste entblockiert"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Listenstummschaltung aufgehoben"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Listen"
@@ -2472,10 +2514,10 @@ msgstr "Listen"
msgid "Load new notifications"
msgstr "Neue Mitteilungen laden"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Neue Beiträge laden"
@@ -2504,7 +2546,7 @@ msgstr "Anmeldung bei einem Konto, das nicht aufgelistet ist"
#: src/screens/Login/SetNewPasswordForm.tsx:116
msgid "Looks like XXXXX-XXXXX"
-msgstr ""
+msgstr "Im Format XXXXX-XXXXX"
#: src/view/com/modals/LinkWarning.tsx:79
msgid "Make sure this is where you intend to go!"
@@ -2522,7 +2564,7 @@ msgstr "Verwalte deine stummgeschalteten Wörter und Tags"
#~ msgid "May only contain letters and numbers"
#~ msgstr "Darf nur Buchstaben und Zahlen enthalten"
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Medien"
@@ -2535,7 +2577,7 @@ msgid "Mentioned users"
msgstr "Erwähnte Benutzer"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Menü"
@@ -2545,14 +2587,14 @@ msgstr "Nachricht vom Server: {0}"
#: src/lib/moderation/useReportOptions.ts:45
msgid "Misleading Account"
-msgstr ""
+msgstr "Irreführender Account"
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Moderation"
@@ -2565,13 +2607,13 @@ msgstr ""
msgid "Moderation list by {0}"
msgstr "Moderationsliste von {0}"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "Moderationsliste von <0/>"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Moderationsliste von dir"
@@ -2592,7 +2634,7 @@ msgstr "Moderationslisten"
msgid "Moderation Lists"
msgstr "Moderationslisten"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Moderationseinstellungen"
@@ -2602,22 +2644,22 @@ msgstr ""
#: src/screens/Moderation/index.tsx:215
msgid "Moderation tools"
-msgstr ""
+msgstr "Moderationswerkzeuge"
#: src/components/moderation/ModerationDetailsDialog.tsx:48
#: src/lib/moderation/useModerationCauseDescription.ts:40
msgid "Moderator has chosen to set a general warning on the content."
msgstr "Der Moderator hat beschlossen, eine allgemeine Warnung vor dem Inhalt auszusprechen."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
-msgstr ""
+msgstr "Mehr"
#: src/view/shell/desktop/Feeds.tsx:65
msgid "More feeds"
msgstr "Mehr Feeds"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Mehr Optionen"
@@ -2642,7 +2684,7 @@ msgstr "{truncatedTag} stummschalten"
msgid "Mute Account"
msgstr "Konto stummschalten"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Konten stummschalten"
@@ -2658,12 +2700,12 @@ msgstr "Nur in Tags stummschalten"
msgid "Mute in text & tags"
msgstr "In Text und Tags stummschalten"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Liste stummschalten"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "Diese Konten stummschalten?"
@@ -2679,13 +2721,13 @@ msgstr "Dieses Wort in Beitragstexten und Tags stummschalten"
msgid "Mute this word in tags only"
msgstr "Dieses Wort nur in Tags stummschalten"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Thread stummschalten"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "Wörter und Tags stummschalten"
@@ -2698,23 +2740,23 @@ msgid "Muted accounts"
msgstr "Stummgeschaltete Konten"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Stummgeschaltete Konten"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Bei stummgeschalteten Konten werden dazugehörige Beiträge aus deinem Feed und deinen Mitteilungen entfernt. Stummschaltungen sind völlig privat."
#: src/lib/moderation/useModerationCauseDescription.ts:85
msgid "Muted by \"{0}\""
-msgstr ""
+msgstr "Stummgeschaltet über \"{0}\""
#: src/screens/Moderation/index.tsx:231
msgid "Muted words & tags"
msgstr "Stummgeschaltete Wörter und Tags"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Stummschaltung ist privat. Stummgeschaltete Konten können mit dir interagieren, aber du siehst ihre Beiträge nicht und erhältst keine Mitteilungen von ihnen."
@@ -2723,7 +2765,7 @@ msgstr "Stummschaltung ist privat. Stummgeschaltete Konten können mit dir inter
msgid "My Birthday"
msgstr "Mein Geburtstag"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Meine Feeds"
@@ -2731,11 +2773,11 @@ msgstr "Meine Feeds"
msgid "My Profile"
msgstr "Mein Profil"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
-msgstr ""
+msgstr "Meine gespeicherten Feeds"
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "Meine gespeicherten Feeds"
@@ -2763,7 +2805,7 @@ msgid "Nature"
msgstr "Natur"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Navigiert zum nächsten Bildschirm"
@@ -2772,7 +2814,7 @@ msgstr "Navigiert zum nächsten Bildschirm"
msgid "Navigates to your profile"
msgstr "Navigiert zu Deinem Profil"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr ""
@@ -2824,12 +2866,12 @@ msgctxt "action"
msgid "New post"
msgstr "Neuer Beitrag"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Neuer Beitrag"
@@ -2853,12 +2895,12 @@ msgstr "Aktuelles"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -2882,8 +2924,8 @@ msgstr "Nächstes Bild"
msgid "No"
msgstr "Nein"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Keine Beschreibung"
@@ -2895,9 +2937,9 @@ msgstr ""
msgid "No longer following {0}"
msgstr "{0} wird nicht mehr gefolgt"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
-msgstr ""
+msgstr "Nicht länger als 253 Zeichen"
#: src/view/com/notifications/Feed.tsx:109
msgid "No notifications yet!"
@@ -2912,13 +2954,13 @@ msgstr "Kein Ergebnis"
msgid "No results found"
msgstr "Keine Ergebnisse gefunden"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "Keine Ergebnisse für \"{query}\" gefunden"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "Keine Ergebnisse für {query} gefunden"
@@ -2938,14 +2980,14 @@ msgstr ""
#: src/lib/moderation/useGlobalLabelStrings.ts:42
msgid "Non-sexual Nudity"
-msgstr ""
+msgstr "Nicht-sexuelle Nacktheit"
#: src/view/com/modals/SelfLabel.tsx:135
msgid "Not Applicable."
msgstr "Unzutreffend."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "Nicht gefunden"
@@ -2955,8 +2997,8 @@ msgid "Not right now"
msgstr "Im Moment nicht"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -2964,13 +3006,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Hinweis: Bluesky ist ein offenes und öffentliches Netzwerk. Diese Einstellung schränkt lediglich die Sichtbarkeit deiner Inhalte in der Bluesky-App und auf der Website ein. Andere Apps respektieren diese Einstellung möglicherweise nicht. Deine Inhalte werden abgemeldeten Nutzern möglicherweise weiterhin in anderen Apps und Websites angezeigt."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Mitteilungen"
@@ -2986,13 +3028,13 @@ msgstr ""
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr ""
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
-msgstr ""
+msgstr "von"
#: src/lib/moderation/useLabelBehaviorDescription.ts:11
msgid "Off"
-msgstr ""
+msgstr "Aus"
#: src/view/com/util/ErrorBoundary.tsx:49
msgid "Oh no!"
@@ -3003,9 +3045,9 @@ msgid "Oh no! Something went wrong."
msgstr "Oh nein, da ist etwas schief gelaufen."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
-msgstr ""
+msgstr "OK"
#: src/screens/Login/PasswordUpdatedForm.tsx:44
msgid "Okay"
@@ -3015,7 +3057,7 @@ msgstr "Okay"
msgid "Oldest replies first"
msgstr "Älteste Antworten zuerst"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Onboarding zurücksetzen"
@@ -3027,9 +3069,9 @@ msgstr "Bei einem oder mehreren Bildern fehlt der Alt-Text."
msgid "Only {0} can reply."
msgstr "Nur {0} kann antworten."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
-msgstr ""
+msgstr "Enthält nur Buchstaben, Nummern und Bindestriche"
#: src/components/Lists.tsx:75
msgid "Oops, something went wrong!"
@@ -3037,7 +3079,7 @@ msgstr "Ups, da ist etwas schief gelaufen!"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Huch!"
@@ -3054,36 +3096,36 @@ msgstr "Öffnen"
msgid "Open emoji picker"
msgstr "Emoji-Picker öffnen"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Links mit In-App-Browser öffnen"
#: src/screens/Moderation/index.tsx:227
msgid "Open muted words and tags settings"
-msgstr ""
+msgstr "Einstellungen für stummgeschaltete Wörter und Tags öffnen"
#: src/view/screens/Moderation.tsx:92
#~ msgid "Open muted words settings"
#~ msgstr "Einstellungen für stummgeschaltete Wörter öffnen"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Navigation öffnen"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr "Beitragsoptionsmenü öffnen"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Geschichtenbuch öffnen"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr ""
@@ -3095,9 +3137,9 @@ msgstr "Öffnet {numItems} Optionen"
msgid "Opens additional details for a debug entry"
msgstr "Öffnet zusätzliche Details für einen Debug-Eintrag"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
-msgstr "Öffnet eine erweiterte Liste der Benutzer in dieser Meldung"
+msgstr "Öffnet eine erweiterte Liste der Benutzer in dieser Mitteilung"
#: src/view/com/composer/photos/OpenCameraBtn.tsx:78
msgid "Opens camera on device"
@@ -3107,7 +3149,7 @@ msgstr "Öffnet die Kamera auf dem Gerät"
msgid "Opens composer"
msgstr "Öffnet den Beitragsverfasser"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Öffnet die konfigurierbaren Spracheinstellungen"
@@ -3119,21 +3161,19 @@ msgstr "Öffnet die Gerätefotogalerie"
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr "Öffnet den Editor für Profilanzeige, Avatar, Hintergrundbild und Beschreibung"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Öffnet die Einstellungen für externe eingebettete Medien"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
-msgstr ""
+msgstr "Öffnet den Vorgang, einen neuen Bluesky account anzulegen"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
-msgstr ""
+msgstr "Öffnet den Vorgang, sich mit einen bestehenden Bluesky Account anzumelden"
#: src/view/com/profile/ProfileHeader.tsx:575
#~ msgid "Opens followers list"
@@ -3147,7 +3187,7 @@ msgstr ""
msgid "Opens list of invite codes"
msgstr "Öffnet die Liste der Einladungscodes"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
@@ -3155,19 +3195,19 @@ msgstr ""
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr "Öffnet ein Modal, um die Löschung des Kontos zu bestätigen. Erfordert einen E-Mail-Code."
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3175,7 +3215,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr "Öffnet das Modal für die Verwendung einer benutzerdefinierten Domain"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Öffnet die Moderationseinstellungen"
@@ -3183,16 +3223,16 @@ msgstr "Öffnet die Moderationseinstellungen"
msgid "Opens password reset form"
msgstr "Öffnet das Formular zum Zurücksetzen des Passworts"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Öffnet den Bildschirm zum Bearbeiten gespeicherten Feeds"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Öffnet den Bildschirm mit allen gespeicherten Feeds"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr ""
@@ -3200,7 +3240,7 @@ msgstr ""
#~ msgid "Opens the app password settings page"
#~ msgstr "Öffnet die Einstellungsseite für das App-Passwort"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr ""
@@ -3212,16 +3252,16 @@ msgstr ""
msgid "Opens the linked website"
msgstr ""
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Öffnet die Geschichtenbuch"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Öffnet die Systemprotokollseite"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Öffnet die Thread-Einstellungen"
@@ -3229,7 +3269,7 @@ msgstr "Öffnet die Thread-Einstellungen"
msgid "Option {0} of {numItems}"
msgstr "Option {0} von {numItems}"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr ""
@@ -3259,7 +3299,7 @@ msgid "Page Not Found"
msgstr "Seite nicht gefunden"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3277,6 +3317,11 @@ msgstr "Passwort aktualisiert"
msgid "Password updated!"
msgstr "Passwort aktualisiert!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "Personen gefolgt von @{0}"
@@ -3301,16 +3346,16 @@ msgstr "Haustiere"
msgid "Pictures meant for adults."
msgstr "Bilder, die für Erwachsene bestimmt sind."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "An die Startseite anheften"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Angeheftete Feeds"
@@ -3413,7 +3458,7 @@ msgstr "Beitrag von {0}"
msgid "Post by @{0}"
msgstr "Beitrag von @{0}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Beitrag gelöscht"
@@ -3448,7 +3493,8 @@ msgstr "Beitrag nicht gefunden"
msgid "posts"
msgstr "Beiträge"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Beiträge"
@@ -3464,13 +3510,13 @@ msgstr "Ausgeblendete Beiträge"
msgid "Potentially Misleading Link"
msgstr "Potenziell irreführender Link"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr ""
@@ -3486,7 +3532,7 @@ msgstr "Primäre Sprache"
msgid "Prioritize Your Follows"
msgstr "Priorisiere deine Follower"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Privatsphäre"
@@ -3494,8 +3540,8 @@ msgstr "Privatsphäre"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Datenschutzerklärung"
@@ -3504,15 +3550,15 @@ msgid "Processing..."
msgstr "Wird bearbeitet..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Profil"
@@ -3520,7 +3566,7 @@ msgstr "Profil"
msgid "Profile updated"
msgstr "Profil aktualisiert"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Schütze dein Konto, indem du deine E-Mail bestätigst."
@@ -3566,15 +3612,15 @@ msgstr "Zufällig (alias \"Poster's Roulette\")"
msgid "Ratios"
msgstr "Verhältnisse"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Empfohlene Feeds"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Empfohlene Nutzer"
@@ -3595,7 +3641,7 @@ msgstr "Entfernen"
msgid "Remove account"
msgstr "Konto entfernen"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr ""
@@ -3613,8 +3659,8 @@ msgstr ""
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Aus meinen Feeds entfernen"
@@ -3659,7 +3705,7 @@ msgstr "Aus der Liste entfernt"
msgid "Removed from my feeds"
msgstr "Aus meinen Feeds entfernt"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr ""
@@ -3667,7 +3713,7 @@ msgstr ""
msgid "Removes default thumbnail from {0}"
msgstr "Entfernt Standard-Miniaturansicht von {0}"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Antworten"
@@ -3684,8 +3730,8 @@ msgstr "Antworten"
msgid "Reply Filters"
msgstr "Antwortfilter"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "Antwort an <0/>"
@@ -3703,17 +3749,17 @@ msgstr "Konto melden"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Feed melden"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Liste melden"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Beitrag melden"
@@ -3758,15 +3804,19 @@ msgstr "Reposten oder Beitrag zitieren"
msgid "Reposted By"
msgstr "Repostet von"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "Repostet von {0}"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "Repostet von <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "Repostet von <0/>"
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
+
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "hat deinen Beitrag repostet"
@@ -3784,7 +3834,7 @@ msgstr "Änderung anfordern"
msgid "Request Code"
msgstr "Einen Code anfordern"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Alt-Text vor der Veröffentlichung erforderlich machen"
@@ -3804,8 +3854,8 @@ msgstr "Code zurücksetzen"
#~ msgid "Reset onboarding"
#~ msgstr "Onboarding zurücksetzen"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Onboarding-Status zurücksetzen"
@@ -3817,16 +3867,16 @@ msgstr "Passwort zurücksetzen"
#~ msgid "Reset preferences"
#~ msgstr "Einstellungen zurücksetzen"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Einstellungen zurücksetzen"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Setzt den Onboarding-Status zurück"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Einstellungen zurücksetzen"
@@ -3845,14 +3895,14 @@ msgstr "Wiederholung der letzten Aktion, bei der ein Fehler aufgetreten ist"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
msgstr "Wiederholen"
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Zurück zur vorherigen Seite"
@@ -3898,12 +3948,12 @@ msgstr "Handle-Änderung speichern"
msgid "Save image crop"
msgstr "Bildausschnitt speichern"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Gespeicherte Feeds"
@@ -3911,7 +3961,7 @@ msgstr "Gespeicherte Feeds"
msgid "Saved to your camera roll."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr ""
@@ -3931,28 +3981,28 @@ msgstr ""
msgid "Science"
msgstr "Wissenschaft"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Zum Anfang blättern"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Suche"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "Suche nach \"{query}\""
@@ -3991,13 +4041,18 @@ msgstr "Siehe <0>{displayTag}0>-Beiträge"
msgid "See <0>{displayTag}0> posts by this user"
msgstr "Siehe <0>{displayTag}0>-Beiträge von diesem Benutzer"
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Siehe diesen Leitfaden"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Schau, was als nächstes kommt"
+#~ msgid "See what's next"
+#~ msgstr "Schau, was als nächstes kommt"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4032,7 +4087,7 @@ msgstr "Wähle Option {i} von {numItems}"
msgid "Select some accounts below to follow"
msgstr "Wähle unten einige Konten aus, denen du folgen möchtest"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4060,7 +4115,7 @@ msgstr "Wähle aus, welche Sprachen deine abonnierten Feeds enthalten sollen. We
msgid "Select your app language for the default text to display in the app."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4094,13 +4149,13 @@ msgctxt "action"
msgid "Send Email"
msgstr "E-Mail senden"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Feedback senden"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr ""
@@ -4190,23 +4245,23 @@ msgstr "Dein Konto einrichten"
msgid "Sets Bluesky username"
msgstr "Legt deinen Bluesky-Benutzernamen fest"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr ""
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr ""
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr ""
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr ""
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr ""
@@ -4236,10 +4291,10 @@ msgstr ""
#~ msgstr "Setzt den Server für den Bluesky-Client"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Einstellungen"
@@ -4258,21 +4313,21 @@ msgstr "Teilen"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Teilen"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Feed teilen"
@@ -4289,7 +4344,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Anzeigen"
@@ -4319,9 +4374,9 @@ msgstr ""
msgid "Show follows similar to {0}"
msgstr "Zeige ähnliche Konten wie {0}"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Mehr anzeigen"
@@ -4378,7 +4433,7 @@ msgstr "Reposts im Following-Feed anzeigen"
msgid "Show the content"
msgstr "Den Inhalt anzeigen"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Nutzer anzeigen"
@@ -4398,24 +4453,24 @@ msgstr ""
msgid "Shows posts from {0} in your feed"
msgstr "Zeigt Beiträge von {0} in deinem Feed"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Anmelden"
@@ -4433,28 +4488,36 @@ msgstr "Anmelden als {0}"
msgid "Sign in as..."
msgstr "Anmelden als..."
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "Anmelden bei"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Abmelden"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Registrieren"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Registriere dich oder melden dich an, um an der Diskussion teilzunehmen"
@@ -4463,7 +4526,7 @@ msgstr "Registriere dich oder melden dich an, um an der Diskussion teilzunehmen"
msgid "Sign-in Required"
msgstr "Anmelden erforderlich"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Angemeldet als"
@@ -4491,7 +4554,7 @@ msgstr "Software-Entwicklung"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr ""
@@ -4499,7 +4562,7 @@ msgstr ""
#~ msgid "Something went wrong!"
#~ msgstr "Es ist ein Fehler aufgetreten."
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "Entschuldigung! Deine Sitzung ist abgelaufen. Bitte logge dich erneut ein."
@@ -4531,11 +4594,11 @@ msgstr "Sport"
msgid "Square"
msgstr "Quadratische"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Status-Seite"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4543,12 +4606,12 @@ msgstr ""
#~ msgid "Step {0} of {numSteps}"
#~ msgstr "Schritt {0} von {numSteps}"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "Der Speicher wurde gelöscht, du musst die App jetzt neu starten."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Geschichtenbuch"
@@ -4557,15 +4620,15 @@ msgstr "Geschichtenbuch"
msgid "Submit"
msgstr "Einreichen"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Abonnieren"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4574,15 +4637,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr "Abonniere den {0} Feed"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Abonniere diese Liste"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Vorgeschlagene Follower"
@@ -4605,19 +4668,19 @@ msgstr "Support"
msgid "Switch Account"
msgstr "Konto wechseln"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "Wechseln zu {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Wechselt das Konto, in das du eingeloggt bist"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "System"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Systemprotokoll"
@@ -4647,9 +4710,9 @@ msgstr "Bedingungen"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Nutzungsbedingungen"
@@ -4667,7 +4730,7 @@ msgstr "Text"
msgid "Text input field"
msgstr "Text-Eingabefeld"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr ""
@@ -4675,11 +4738,11 @@ msgstr ""
msgid "That contains the following:"
msgstr ""
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "Dieser Handle ist bereits besetzt."
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "Das Konto kann nach der Entblockiert mit dir interagieren."
@@ -4729,8 +4792,8 @@ msgstr "Die Allgemeinen Geschäftsbedingungen wurden verschoben nach"
msgid "There are many feeds to try:"
msgstr "Es gibt viele Feeds zum Ausprobieren:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Es gab ein Problem bei der Kontaktaufnahme mit dem Server. Bitte überprüfe deine Internetverbindung und versuche es erneut."
@@ -4738,15 +4801,15 @@ msgstr "Es gab ein Problem bei der Kontaktaufnahme mit dem Server. Bitte überpr
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Es gab ein Problem beim Entfernen dieses Feeds. Bitte überprüfe deine Internetverbindung und versuche es erneut."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Es gab ein Problem bei der Aktualisierung deines Feeds. Bitte überprüfe deine Internetverbindung und versuche es erneut."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "Es gab ein Problem bei der Kontaktaufnahme mit dem Server"
@@ -4769,12 +4832,12 @@ msgstr "Es gab ein Problem beim Abrufen der Beiträge. Tippe hier, um es erneut
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Es gab ein Problem beim Abrufen der Liste. Tippe hier, um es erneut zu versuchen."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Es gab ein Problem beim Abrufen deiner Listen. Tippe hier, um es erneut zu versuchen."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr ""
@@ -4800,10 +4863,10 @@ msgstr "Es gab ein Problem beim Abrufen deiner App-Passwörter"
msgid "There was an issue! {0}"
msgstr "Es gab ein Problem! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Es ist ein Problem aufgetreten. Bitte überprüfe deine Internetverbindung und versuche es erneut."
@@ -4864,9 +4927,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Dieser Feed wird derzeit stark frequentiert und ist vorübergehend nicht verfügbar. Bitte versuche es später erneut."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Dieser Feed ist leer!"
@@ -4886,7 +4949,7 @@ msgstr "Das ist wichtig für den Fall, dass du mal deine E-Mail ändern oder dei
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -4894,7 +4957,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr "Dieser Link führt dich auf die folgende Website:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "Diese Liste ist leer!"
@@ -4910,12 +4973,12 @@ msgstr "Dieser Name ist bereits in Gebrauch"
msgid "This post has been deleted."
msgstr "Dieser Beitrag wurde gelöscht."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr ""
@@ -4976,12 +5039,12 @@ msgstr "Dies wird {0} aus deinen stummgeschalteten Wörtern löschen. Du kannst
#~ msgid "This will hide this post from your feeds."
#~ msgstr "Dadurch wird dieser Beitrag aus deinen Feeds ausgeblendet."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr ""
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Thread-Einstellungen"
@@ -5009,14 +5072,18 @@ msgstr "Dieses Dropdown umschalten"
msgid "Toggle to enable or disable adult content"
msgstr ""
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Verwandlungen"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Übersetzen"
@@ -5029,11 +5096,11 @@ msgstr "Erneut versuchen"
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Liste entblocken"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Stummschaltung von Liste aufheben"
@@ -5041,15 +5108,15 @@ msgstr "Stummschaltung von Liste aufheben"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "Es ist uns nicht gelungen, deinen Dienst zu kontaktieren. Bitte überprüfe deine Internetverbindung."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Entblocken"
@@ -5063,7 +5130,7 @@ msgstr "Entblocken"
msgid "Unblock Account"
msgstr "Konto entblocken"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr ""
@@ -5076,7 +5143,7 @@ msgid "Undo repost"
msgstr "Repost rückgängig machen"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr ""
@@ -5098,16 +5165,16 @@ msgstr ""
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "Leider erfüllst du nicht die Voraussetzungen, um einen Account zu erstellen."
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "Like aufheben"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr ""
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Stummschaltung aufheben"
@@ -5124,21 +5191,21 @@ msgstr "Stummschaltung von Konto aufheben"
msgid "Unmute all {displayTag} posts"
msgstr "Stummschaltung aller {displayTag}-Beiträge aufheben"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Stummschaltung von Thread aufheben"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Anheften aufheben"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr ""
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Anheften der Moderationsliste aufheben"
@@ -5146,11 +5213,11 @@ msgstr "Anheften der Moderationsliste aufheben"
#~ msgid "Unsave"
#~ msgstr "Speicherung aufheben"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5178,20 +5245,20 @@ msgstr "Aktualisieren..."
msgid "Upload a text file to:"
msgstr "Hochladen einer Textdatei auf:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5265,13 +5332,13 @@ msgstr "Benutzer blockiert dich"
msgid "User list by {0}"
msgstr "Benutzerliste von {0}"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "Benutzerliste von <0/>"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "Benutzerliste von dir"
@@ -5291,7 +5358,9 @@ msgstr "Benutzerlisten"
msgid "Username or email address"
msgstr "Benutzername oder E-Mail-Adresse"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Benutzer"
@@ -5315,15 +5384,15 @@ msgstr ""
msgid "Verify {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "E-Mail bestätigen"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Meine E-Mail bestätigen"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Meine E-Mail bestätigen"
@@ -5336,7 +5405,7 @@ msgstr "Neue E-Mail bestätigen"
msgid "Verify Your Email"
msgstr "Überprüfe deine E-Mail"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5346,17 +5415,17 @@ msgstr "Videospiele"
#: src/screens/Profile/Header/Shell.tsx:107
msgid "View {0}'s avatar"
-msgstr "Avatar {0} ansehen"
+msgstr "Avatar von {0} ansehen"
#: src/view/screens/Log.tsx:52
msgid "View debug entry"
msgstr "Debug-Eintrag anzeigen"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr ""
@@ -5368,6 +5437,8 @@ msgstr "Vollständigen Thread ansehen"
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Profil ansehen"
@@ -5380,7 +5451,7 @@ msgstr "Avatar ansehen"
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5456,11 +5527,11 @@ msgstr "Wir werden dich benachrichtigen, wenn dein Konto bereit ist."
msgid "We'll use this to help customize your experience."
msgstr "Wir verwenden diese Informationen, um dein Erlebnis individuell zu gestalten."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Wir freuen uns sehr, dass du dabei bist!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Es tut uns leid, aber wir waren nicht in der Lage, diese Liste aufzulösen. Wenn das Problem weiterhin besteht, kontaktiere bitte den Ersteller der Liste, @{handleOrDid}."
@@ -5468,7 +5539,7 @@ msgstr "Es tut uns leid, aber wir waren nicht in der Lage, diese Liste aufzulös
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "Es tut uns leid, aber wir konnten deine stummgeschalteten Wörter nicht laden. Bitte versuche es erneut."
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Es tut uns leid, aber deine Suche konnte nicht abgeschlossen werden. Bitte versuche es in ein paar Minuten erneut."
@@ -5477,7 +5548,7 @@ msgstr "Es tut uns leid, aber deine Suche konnte nicht abgeschlossen werden. Bit
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Es tut uns leid! Wir können die Seite, nach der du gesucht hast, nicht finden."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5493,8 +5564,8 @@ msgstr "Was sind deine Interessen?"
#~ msgid "What is the issue with this {collectionName}?"
#~ msgstr "Was ist das Problem mit diesem {collectionName}?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "Was gibt's?"
@@ -5589,15 +5660,15 @@ msgstr ""
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "Du hast noch keine Einladungscodes! Wir schicken dir welche, wenn du schon etwas länger bei Bluesky bist."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "Du hast keine angehefteten Feeds."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "Du hast keine gespeicherten Feeds!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "Du hast keine gespeicherten Feeds."
@@ -5639,16 +5710,16 @@ msgstr ""
#~ msgid "You have muted this user."
#~ msgstr "Du hast diesen Benutzer stummgeschaltet."
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "Du hast keine Feeds."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "Du hast keine Listen."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
@@ -5660,7 +5731,7 @@ msgstr ""
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Du hast noch keine App-Passwörter erstellt. Du kannst eines erstellen, indem du auf die Schaltfläche unten klickst."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
@@ -5688,15 +5759,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "Du musst 18 Jahre oder älter sein, um Inhalte für Erwachsene zu aktivieren."
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Du wirst keine Mitteilungen mehr für diesen Thread erhalten"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Du erhälst nun Mitteilungen für dieses Thread"
@@ -5727,7 +5798,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Du hast das Ende deines Feeds erreicht! Finde weitere Konten, denen du folgen kannst."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Dein Konto"
@@ -5739,7 +5810,7 @@ msgstr "Dein Konto wurde gelöscht"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "Dein Kontodepot, das alle öffentlichen Datensätze enthält, kann als \"CAR\"-Datei heruntergeladen werden. Diese Datei enthält keine Medieneinbettungen, wie z. B. Bilder, oder deine privaten Daten, welche separat abgerufen werden müssen."
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "Dein Geburtsdatum"
@@ -5769,7 +5840,7 @@ msgstr "Deine E-Mail wurde noch nicht bestätigt. Dies ist ein wichtiger Sicherh
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Dein Following-Feed ist leer! Folge mehr Benutzern, um auf dem Laufenden zu bleiben."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Dein vollständiger Handle lautet"
@@ -5795,7 +5866,7 @@ msgstr "Dein Beitrag wurde veröffentlicht"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Deine Beiträge, Likes und Blockierungen sind öffentlich. Stummschaltungen sind privat."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Dein Profil"
@@ -5803,6 +5874,6 @@ msgstr "Dein Profil"
msgid "Your reply has been published"
msgstr "Deine Antwort wurde veröffentlicht"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Dein Benutzerhandle"
diff --git a/src/locale/locales/en/messages.po b/src/locale/locales/en/messages.po
index 8a88ef3ad1..ac8bb2515e 100644
--- a/src/locale/locales/en/messages.po
+++ b/src/locale/locales/en/messages.po
@@ -17,29 +17,12 @@ msgstr ""
msgid "(no email)"
msgstr ""
-#: src/view/shell/desktop/RightNav.tsx:168
-#~ msgid "{0, plural, one {# invite code available} other {# invite codes available}}"
-#~ msgstr ""
-
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr ""
-#: src/view/shell/desktop/RightNav.tsx:151
-#~ msgid "{invitesAvailable, plural, one {Invite codes: # available} other {Invite codes: # available}}"
-#~ msgstr ""
-
-#: src/view/screens/Settings.tsx:435
-#: src/view/shell/Drawer.tsx:664
-#~ msgid "{invitesAvailable} invite code available"
-#~ msgstr ""
-
-#: src/view/screens/Settings.tsx:437
-#: src/view/shell/Drawer.tsx:666
-#~ msgid "{invitesAvailable} invite codes available"
-#~ msgstr ""
-
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr ""
@@ -51,15 +34,20 @@ msgstr ""
msgid "<0>{0}0> following"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr ""
@@ -67,29 +55,21 @@ msgstr ""
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr ""
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr ""
-#: src/view/com/util/moderation/LabelInfo.tsx:45
-#~ msgid "A content warning has been applied to this {0}."
-#~ msgstr ""
-
-#: src/lib/hooks/useOTAUpdate.ts:16
-#~ msgid "A new version of the app is available. Please update to continue using the app."
-#~ msgstr ""
-
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr ""
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr ""
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr ""
@@ -98,8 +78,8 @@ msgid "account"
msgstr ""
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr ""
@@ -149,7 +129,7 @@ msgstr ""
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr ""
@@ -157,13 +137,13 @@ msgstr ""
msgid "Add a content warning"
msgstr ""
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr ""
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr ""
@@ -179,15 +159,6 @@ msgstr ""
msgid "Add App Password"
msgstr ""
-#: src/view/com/modals/report/InputIssueDetails.tsx:41
-#: src/view/com/modals/report/Modal.tsx:191
-#~ msgid "Add details"
-#~ msgstr ""
-
-#: src/view/com/modals/report/Modal.tsx:194
-#~ msgid "Add details to report"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:467
msgid "Add link card"
msgstr ""
@@ -240,24 +211,16 @@ msgstr ""
msgid "Adult Content"
msgstr ""
-#: src/view/com/modals/ContentFilteringSettings.tsx:141
-#~ msgid "Adult content can only be enabled via the Web at <0/>."
-#~ msgstr ""
-
-#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:78
-#~ msgid "Adult content can only be enabled via the Web at <0>bsky.app0>."
-#~ msgstr ""
-
#: src/components/moderation/LabelPreference.tsx:242
msgid "Adult content is disabled."
msgstr ""
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr ""
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr ""
@@ -294,6 +257,8 @@ msgstr ""
msgid "An issue not included in these options"
msgstr ""
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -301,7 +266,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr ""
@@ -330,17 +295,13 @@ msgstr ""
msgid "App Password names must be at least 4 characters long."
msgstr ""
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr ""
-#: src/view/screens/Settings.tsx:650
-#~ msgid "App passwords"
-#~ msgstr ""
-
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr ""
@@ -353,28 +314,11 @@ msgstr ""
msgid "Appeal \"{0}\" label"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:337
-#: src/view/com/util/forms/PostDropdownBtn.tsx:346
-#~ msgid "Appeal content warning"
-#~ msgstr ""
-
-#: src/view/com/modals/AppealLabel.tsx:65
-#~ msgid "Appeal Content Warning"
-#~ msgstr ""
-
#: src/components/moderation/LabelsOnMeDialog.tsx:192
msgid "Appeal submitted."
msgstr ""
-#: src/view/com/util/moderation/LabelInfo.tsx:52
-#~ msgid "Appeal this decision"
-#~ msgstr ""
-
-#: src/view/com/util/moderation/LabelInfo.tsx:56
-#~ msgid "Appeal this decision."
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr ""
@@ -394,10 +338,6 @@ msgstr ""
msgid "Are you sure?"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:322
-#~ msgid "Are you sure? This cannot be undone."
-#~ msgstr ""
-
#: src/view/com/composer/select-language/SuggestedLanguage.tsx:60
msgid "Are you writing in <0>{0}0>?"
msgstr ""
@@ -410,7 +350,7 @@ msgstr ""
msgid "Artistic or non-erotic nudity."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -425,21 +365,16 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr ""
-#: src/view/com/post-thread/PostThread.tsx:480
-#~ msgctxt "action"
-#~ msgid "Back"
-#~ msgstr ""
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:144
msgid "Based on your interest in {interestsText}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr ""
@@ -447,11 +382,11 @@ msgstr ""
msgid "Birthday"
msgstr ""
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr ""
@@ -465,25 +400,21 @@ msgstr ""
msgid "Block Account?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr ""
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:320
-#~ msgid "Block this List"
-#~ msgstr ""
-
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr ""
@@ -492,7 +423,7 @@ msgid "Blocked accounts"
msgstr ""
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr ""
@@ -500,7 +431,7 @@ msgstr ""
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr ""
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr ""
@@ -508,11 +439,11 @@ msgstr ""
msgid "Blocked post."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr ""
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr ""
@@ -520,12 +451,10 @@ msgstr ""
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -550,18 +479,10 @@ msgstr ""
msgid "Bluesky is public."
msgstr ""
-#: src/view/com/modals/Waitlist.tsx:70
-#~ msgid "Bluesky uses invites to build a healthier community. If you don't know anybody with an invite, you can sign up for the waitlist and we'll send one soon."
-#~ msgstr ""
-
#: src/screens/Moderation/index.tsx:533
msgid "Bluesky will not show your profile and posts to logged-out users. Other apps may not honor this request. This does not make your account private."
msgstr ""
-#: src/view/com/modals/ServerInput.tsx:78
-#~ msgid "Bluesky.Social"
-#~ msgstr ""
-
#: src/lib/moderation/useLabelBehaviorDescription.ts:53
msgid "Blur images"
msgstr ""
@@ -574,19 +495,10 @@ msgstr ""
msgid "Books"
msgstr ""
-#: src/view/screens/Settings/index.tsx:893
-#~ msgid "Build version {0} {1}"
-#~ msgstr ""
-
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr ""
-#: src/view/com/modals/ServerInput.tsx:115
-#~ msgid "Button disabled. Input custom domain to proceed."
-#~ msgstr ""
-
#: src/view/com/profile/ProfileSubpageHeader.tsx:157
msgid "by —"
msgstr ""
@@ -641,7 +553,7 @@ msgstr ""
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr ""
@@ -679,10 +591,6 @@ msgstr ""
msgid "Cancel search"
msgstr ""
-#: src/view/com/modals/Waitlist.tsx:136
-#~ msgid "Cancel waitlist signup"
-#~ msgstr ""
-
#: src/view/com/modals/LinkWarning.tsx:106
msgid "Cancels opening the linked website"
msgstr ""
@@ -691,17 +599,17 @@ msgstr ""
msgid "Change"
msgstr ""
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr ""
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr ""
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr ""
@@ -709,12 +617,12 @@ msgstr ""
msgid "Change my email"
msgstr ""
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr ""
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr ""
@@ -722,10 +630,6 @@ msgstr ""
msgid "Change post language to {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:733
-#~ msgid "Change your Bluesky password"
-#~ msgstr ""
-
#: src/view/com/modals/ChangeEmail.tsx:109
msgid "Change Your Email"
msgstr ""
@@ -735,11 +639,11 @@ msgstr ""
msgid "Check my status"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr ""
@@ -751,10 +655,6 @@ msgstr ""
msgid "Choose \"Everybody\" or \"Nobody\""
msgstr ""
-#: src/view/screens/Settings/index.tsx:697
-#~ msgid "Choose a new Bluesky username or create"
-#~ msgstr ""
-
#: src/view/com/auth/server-input/index.tsx:79
msgid "Choose Service"
msgstr ""
@@ -768,44 +668,40 @@ msgstr ""
msgid "Choose the algorithms that power your experience with custom feeds."
msgstr ""
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:103
-#~ msgid "Choose your algorithmic feeds"
-#~ msgstr ""
-
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:104
msgid "Choose your main feeds"
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr ""
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr ""
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr ""
@@ -817,7 +713,7 @@ msgstr ""
msgid "Click here to open tag menu for {tag}"
msgstr ""
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr ""
@@ -851,7 +747,7 @@ msgstr ""
msgid "Close image viewer"
msgstr ""
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr ""
@@ -860,7 +756,7 @@ msgstr ""
msgid "Close this dialog"
msgstr ""
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr ""
@@ -876,7 +772,7 @@ msgstr ""
msgid "Closes viewer for header image"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr ""
@@ -897,7 +793,7 @@ msgstr ""
msgid "Complete onboarding and start using your account"
msgstr ""
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr ""
@@ -931,12 +827,6 @@ msgstr ""
msgid "Confirm"
msgstr ""
-#: src/view/com/modals/Confirm.tsx:75
-#: src/view/com/modals/Confirm.tsx:78
-#~ msgctxt "action"
-#~ msgid "Confirm"
-#~ msgstr ""
-
#: src/view/com/modals/ChangeEmail.tsx:193
#: src/view/com/modals/ChangeEmail.tsx:195
msgid "Confirm Change"
@@ -950,10 +840,6 @@ msgstr ""
msgid "Confirm delete account"
msgstr ""
-#: src/view/com/modals/ContentFilteringSettings.tsx:156
-#~ msgid "Confirm your age to enable adult content."
-#~ msgstr ""
-
#: src/screens/Moderation/index.tsx:301
msgid "Confirm your age:"
msgstr ""
@@ -969,15 +855,11 @@ msgstr ""
msgid "Confirmation code"
msgstr ""
-#: src/view/com/modals/Waitlist.tsx:120
-#~ msgid "Confirms signing up {email} to the waitlist"
-#~ msgstr ""
-
#: src/screens/Login/LoginForm.tsx:248
msgid "Connecting..."
msgstr ""
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr ""
@@ -989,14 +871,6 @@ msgstr ""
msgid "Content Blocked"
msgstr ""
-#: src/view/screens/Moderation.tsx:83
-#~ msgid "Content filtering"
-#~ msgstr ""
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:44
-#~ msgid "Content Filtering"
-#~ msgstr ""
-
#: src/screens/Moderation/index.tsx:285
msgid "Content filters"
msgstr ""
@@ -1031,8 +905,8 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr ""
@@ -1045,7 +919,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr ""
@@ -1066,17 +940,21 @@ msgstr ""
msgid "Copied"
msgstr ""
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr ""
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr ""
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr ""
@@ -1089,21 +967,22 @@ msgstr ""
msgid "Copy {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr ""
-#: src/view/com/profile/ProfileHeader.tsx:295
-#~ msgid "Copy link to profile"
-#~ msgstr ""
-
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr ""
@@ -1116,39 +995,38 @@ msgstr ""
msgid "Could not load feed"
msgstr ""
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:91
-#~ msgid "Country"
-#~ msgstr ""
-
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr ""
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr ""
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr ""
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr ""
@@ -1156,14 +1034,6 @@ msgstr ""
msgid "Created {0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:616
-#~ msgid "Created by <0/>"
-#~ msgstr ""
-
-#: src/view/screens/ProfileFeed.tsx:614
-#~ msgid "Created by you"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:469
msgid "Creates a card with a thumbnail. The card links to {url}"
msgstr ""
@@ -1182,7 +1052,7 @@ msgid "Custom domain"
msgstr ""
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr ""
@@ -1190,12 +1060,8 @@ msgstr ""
msgid "Customize media from external sites."
msgstr ""
-#: src/view/screens/Settings.tsx:687
-#~ msgid "Danger Zone"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr ""
@@ -1203,15 +1069,15 @@ msgstr ""
msgid "Dark mode"
msgstr ""
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1219,13 +1085,13 @@ msgstr ""
msgid "Debug panel"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr ""
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr ""
@@ -1241,7 +1107,7 @@ msgstr ""
msgid "Delete app password?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr ""
@@ -1249,28 +1115,24 @@ msgstr ""
msgid "Delete my account"
msgstr ""
-#: src/view/screens/Settings.tsx:706
-#~ msgid "Delete my account…"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr ""
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr ""
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr ""
@@ -1285,18 +1147,22 @@ msgstr ""
msgid "Description"
msgstr ""
-#: src/view/screens/Settings.tsx:760
-#~ msgid "Developer Tools"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:218
msgid "Did you want to say anything?"
msgstr ""
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr ""
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1308,10 +1174,6 @@ msgstr ""
msgid "Discard"
msgstr ""
-#: src/view/com/composer/Composer.tsx:145
-#~ msgid "Discard draft"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:508
msgid "Discard draft?"
msgstr ""
@@ -1326,11 +1188,7 @@ msgstr ""
msgid "Discover new custom feeds"
msgstr ""
-#: src/view/screens/Feeds.tsx:473
-#~ msgid "Discover new feeds"
-#~ msgstr ""
-
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr ""
@@ -1350,7 +1208,7 @@ msgstr ""
msgid "Does not include nudity."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1362,10 +1220,6 @@ msgstr ""
msgid "Domain verified!"
msgstr ""
-#: src/view/com/auth/create/Step1.tsx:170
-#~ msgid "Don't have an invite code?"
-#~ msgstr ""
-
#: src/components/dialogs/BirthDateSettings.tsx:119
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/components/forms/DateField/index.tsx:74
@@ -1384,7 +1238,7 @@ msgstr ""
msgid "Done"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1401,14 +1255,6 @@ msgstr ""
msgid "Done{extraText}"
msgstr ""
-#: src/view/com/auth/login/ChooseAccountForm.tsx:46
-#~ msgid "Double tap to sign in"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:755
-#~ msgid "Download Bluesky account data (repository)"
-#~ msgstr ""
-
#: src/view/screens/Settings/ExportCarDialog.tsx:59
#: src/view/screens/Settings/ExportCarDialog.tsx:63
msgid "Download CAR file"
@@ -1467,7 +1313,7 @@ msgctxt "action"
msgid "Edit"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr ""
@@ -1477,7 +1323,7 @@ msgstr ""
msgid "Edit image"
msgstr ""
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr ""
@@ -1486,8 +1332,8 @@ msgid "Edit Moderation List"
msgstr ""
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr ""
@@ -1495,18 +1341,18 @@ msgstr ""
msgid "Edit my profile"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr ""
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr ""
@@ -1548,10 +1394,24 @@ msgstr ""
msgid "Email verified"
msgstr ""
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr ""
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr ""
@@ -1574,10 +1434,6 @@ msgstr ""
msgid "Enable external media"
msgstr ""
-#: src/view/com/modals/EmbedConsent.tsx:97
-#~ msgid "Enable External Media"
-#~ msgstr ""
-
#: src/view/screens/PreferencesExternalEmbeds.tsx:75
msgid "Enable media players for"
msgstr ""
@@ -1594,7 +1450,7 @@ msgstr ""
msgid "Enabled"
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr ""
@@ -1631,12 +1487,8 @@ msgstr ""
msgid "Enter your birth date"
msgstr ""
-#: src/view/com/modals/Waitlist.tsx:78
-#~ msgid "Enter your email"
-#~ msgstr ""
-
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr ""
@@ -1648,10 +1500,6 @@ msgstr ""
msgid "Enter your new email address below."
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:188
-#~ msgid "Enter your phone number"
-#~ msgstr ""
-
#: src/screens/Login/index.tsx:101
msgid "Enter your username and password"
msgstr ""
@@ -1660,7 +1508,7 @@ msgstr ""
msgid "Error receiving captcha response."
msgstr ""
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr ""
@@ -1693,16 +1541,12 @@ msgstr ""
msgid "Exits inputting search query"
msgstr ""
-#: src/view/com/modals/Waitlist.tsx:138
-#~ msgid "Exits signing up for waitlist with {email}"
-#~ msgstr ""
-
#: src/view/com/lightbox/Lightbox.web.tsx:183
msgid "Expand alt text"
msgstr ""
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr ""
@@ -1714,12 +1558,12 @@ msgstr ""
msgid "Explicit sexual images."
msgstr ""
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr ""
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr ""
@@ -1735,11 +1579,11 @@ msgstr ""
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr ""
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr ""
@@ -1752,12 +1596,12 @@ msgstr ""
msgid "Failed to create the list. Check your internet connection and try again."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr ""
@@ -1773,43 +1617,31 @@ msgstr ""
msgid "Feed by {0}"
msgstr ""
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr ""
-#: src/view/com/feeds/FeedPage.tsx:143
-#~ msgid "Feed Preferences"
-#~ msgstr ""
-
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr ""
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr ""
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:106
-#~ msgid "Feeds are created by users and can give you entirely new experiences."
-#~ msgstr ""
-
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:106
-#~ msgid "Feeds are created by users and organizations. They offer you varied experiences and suggest content you may like using algorithms."
-#~ msgstr ""
-
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr ""
@@ -1835,11 +1667,11 @@ msgstr ""
msgid "Find accounts to follow"
msgstr ""
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr ""
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr ""
@@ -1851,10 +1683,6 @@ msgstr ""
msgid "Fine-tune the content you see on your Following feed."
msgstr ""
-#: src/view/screens/PreferencesHomeFeed.tsx:111
-#~ msgid "Fine-tune the content you see on your home screen."
-#~ msgstr ""
-
#: src/view/screens/PreferencesThreads.tsx:60
msgid "Fine-tune the discussion threads."
msgstr ""
@@ -1877,10 +1705,10 @@ msgid "Flip vertically"
msgstr ""
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr ""
@@ -1912,11 +1740,11 @@ msgstr ""
msgid "Follow selected accounts and continue to the next step"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr ""
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr ""
@@ -1928,7 +1756,7 @@ msgstr ""
msgid "Followed users only"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr ""
@@ -1937,7 +1765,7 @@ msgstr ""
msgid "Followers"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1948,15 +1776,15 @@ msgstr ""
msgid "Following {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr ""
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr ""
@@ -1964,7 +1792,7 @@ msgstr ""
msgid "Follows you"
msgstr ""
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr ""
@@ -1980,14 +1808,6 @@ msgstr ""
msgid "For security reasons, you won't be able to view this again. If you lose this password, you'll need to generate a new one."
msgstr ""
-#: src/view/com/auth/login/LoginForm.tsx:244
-#~ msgid "Forgot"
-#~ msgstr ""
-
-#: src/view/com/auth/login/LoginForm.tsx:241
-#~ msgid "Forgot password"
-#~ msgstr ""
-
#: src/screens/Login/index.tsx:129
#: src/screens/Login/index.tsx:144
msgid "Forgot Password"
@@ -2010,7 +1830,7 @@ msgstr ""
msgid "From @{sanitizedAuthor}"
msgstr ""
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr ""
@@ -2034,7 +1854,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr ""
@@ -2044,15 +1864,15 @@ msgstr ""
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr ""
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr ""
@@ -2064,7 +1884,7 @@ msgstr ""
msgid "Go Home"
msgstr ""
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr ""
@@ -2090,20 +1910,16 @@ msgstr ""
msgid "Hashtag"
msgstr ""
-#: src/components/RichText.tsx:188
-#~ msgid "Hashtag: {tag}"
-#~ msgstr ""
-
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr ""
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr ""
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr ""
@@ -2132,17 +1948,17 @@ msgstr ""
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr ""
@@ -2151,18 +1967,14 @@ msgstr ""
msgid "Hide the content"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr ""
-#: src/view/com/profile/ProfileHeader.tsx:487
-#~ msgid "Hides posts from {0} in your feed"
-#~ msgstr ""
-
#: src/view/com/posts/FeedErrorMessage.tsx:111
msgid "Hmm, some kind of issue occurred when contacting the feed server. Please let the feed owner know about this issue."
msgstr ""
@@ -2191,21 +2003,14 @@ msgstr ""
msgid "Hmmmm, we couldn't load that moderation service."
msgstr ""
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr ""
-#: src/Navigation.tsx:247
-#: src/view/com/pager/FeedsTabBarMobile.tsx:123
-#: src/view/screens/PreferencesHomeFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:543
-#~ msgid "Home Feed Preferences"
-#~ msgstr ""
-
#: src/view/com/modals/ChangeHandle.tsx:420
msgid "Host:"
msgstr ""
@@ -2245,11 +2050,11 @@ msgstr ""
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr ""
@@ -2269,11 +2074,6 @@ msgstr ""
msgid "Image alt text"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:311
-#: src/view/com/util/UserBanner.tsx:118
-#~ msgid "Image options"
-#~ msgstr ""
-
#: src/lib/moderation/useReportOptions.ts:47
msgid "Impersonation or false claims about identity or affiliation"
msgstr ""
@@ -2286,14 +2086,6 @@ msgstr ""
msgid "Input confirmation code for account deletion"
msgstr ""
-#: src/view/com/auth/create/Step1.tsx:177
-#~ msgid "Input email for Bluesky account"
-#~ msgstr ""
-
-#: src/view/com/auth/create/Step1.tsx:151
-#~ msgid "Input invite code to proceed"
-#~ msgstr ""
-
#: src/view/com/modals/AddAppPasswords.tsx:181
msgid "Input name for app password"
msgstr ""
@@ -2306,10 +2098,6 @@ msgstr ""
msgid "Input password for account deletion"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:196
-#~ msgid "Input phone number for SMS verification"
-#~ msgstr ""
-
#: src/screens/Login/LoginForm.tsx:195
msgid "Input the password tied to {identifier}"
msgstr ""
@@ -2318,14 +2106,6 @@ msgstr ""
msgid "Input the username or email address you used at signup"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:271
-#~ msgid "Input the verification code we have texted to you"
-#~ msgstr ""
-
-#: src/view/com/modals/Waitlist.tsx:90
-#~ msgid "Input your email to get on the Bluesky waitlist"
-#~ msgstr ""
-
#: src/screens/Login/LoginForm.tsx:194
msgid "Input your password"
msgstr ""
@@ -2334,7 +2114,7 @@ msgstr ""
msgid "Input your preferred hosting provider"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr ""
@@ -2346,10 +2126,6 @@ msgstr ""
msgid "Invalid username or password"
msgstr ""
-#: src/view/screens/Settings.tsx:411
-#~ msgid "Invite"
-#~ msgstr ""
-
#: src/view/com/modals/InviteCodes.tsx:94
msgid "Invite a Friend"
msgstr ""
@@ -2366,10 +2142,6 @@ msgstr ""
msgid "Invite codes: {0} available"
msgstr ""
-#: src/view/shell/Drawer.tsx:645
-#~ msgid "Invite codes: {invitesAvailable} available"
-#~ msgstr ""
-
#: src/view/com/modals/InviteCodes.tsx:170
msgid "Invite codes: 1 available"
msgstr ""
@@ -2378,24 +2150,10 @@ msgstr ""
msgid "It shows posts from the people you follow as they happen."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr ""
-#: src/view/com/modals/Waitlist.tsx:67
-#~ msgid "Join the waitlist"
-#~ msgstr ""
-
-#: src/view/com/auth/create/Step1.tsx:174
-#: src/view/com/auth/create/Step1.tsx:178
-#~ msgid "Join the waitlist."
-#~ msgstr ""
-
-#: src/view/com/modals/Waitlist.tsx:128
-#~ msgid "Join Waitlist"
-#~ msgstr ""
-
#: src/screens/Onboarding/index.tsx:24
msgid "Journalism"
msgstr ""
@@ -2412,11 +2170,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2436,7 +2194,7 @@ msgstr ""
msgid "Language selection"
msgstr ""
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr ""
@@ -2445,17 +2203,13 @@ msgstr ""
msgid "Language Settings"
msgstr ""
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr ""
-#: src/view/com/auth/create/StepHeader.tsx:20
-#~ msgid "Last step!"
-#~ msgstr ""
-
-#: src/view/com/util/moderation/ContentHider.tsx:103
-#~ msgid "Learn more"
-#~ msgstr ""
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
#: src/components/moderation/ScreenHider.tsx:136
msgid "Learn More"
@@ -2491,7 +2245,7 @@ msgstr ""
msgid "left to go."
msgstr ""
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr ""
@@ -2504,21 +2258,16 @@ msgstr ""
msgid "Let's go!"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:248
-#: src/view/com/util/UserBanner.tsx:62
-#~ msgid "Library"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr ""
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr ""
@@ -2542,21 +2291,21 @@ msgstr ""
msgid "Liked by {count} {0}"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr ""
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr ""
@@ -2572,7 +2321,7 @@ msgstr ""
msgid "List Avatar"
msgstr ""
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr ""
@@ -2580,11 +2329,11 @@ msgstr ""
msgid "List by {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr ""
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr ""
@@ -2592,36 +2341,31 @@ msgstr ""
msgid "List Name"
msgstr ""
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr ""
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr ""
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr ""
-#: src/view/com/post-thread/PostThread.tsx:333
-#: src/view/com/post-thread/PostThread.tsx:341
-#~ msgid "Load more posts"
-#~ msgstr ""
-
#: src/view/screens/Notifications.tsx:159
msgid "Load new notifications"
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr ""
@@ -2629,10 +2373,6 @@ msgstr ""
msgid "Loading..."
msgstr ""
-#: src/view/com/modals/ServerInput.tsx:50
-#~ msgid "Local dev server"
-#~ msgstr ""
-
#: src/Navigation.tsx:221
msgid "Log"
msgstr ""
@@ -2664,15 +2404,7 @@ msgstr ""
msgid "Manage your muted words and tags"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:118
-#~ msgid "May not be longer than 253 characters"
-#~ msgstr ""
-
-#: src/view/com/auth/create/Step2.tsx:109
-#~ msgid "May only contain letters and numbers"
-#~ msgstr ""
-
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr ""
@@ -2685,7 +2417,7 @@ msgid "Mentioned users"
msgstr ""
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr ""
@@ -2699,10 +2431,10 @@ msgstr ""
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr ""
@@ -2715,13 +2447,13 @@ msgstr ""
msgid "Moderation list by {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr ""
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr ""
@@ -2742,7 +2474,7 @@ msgstr ""
msgid "Moderation Lists"
msgstr ""
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr ""
@@ -2759,7 +2491,7 @@ msgstr ""
msgid "Moderator has chosen to set a general warning on the content."
msgstr ""
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr ""
@@ -2767,22 +2499,14 @@ msgstr ""
msgid "More feeds"
msgstr ""
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:315
-#~ msgid "More post options"
-#~ msgstr ""
-
#: src/view/screens/PreferencesThreads.tsx:82
msgid "Most-liked replies first"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:122
-#~ msgid "Must be at least 3 characters"
-#~ msgstr ""
-
#: src/components/TagMenu/index.tsx:249
msgid "Mute"
msgstr ""
@@ -2796,7 +2520,7 @@ msgstr ""
msgid "Mute Account"
msgstr ""
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr ""
@@ -2804,10 +2528,6 @@ msgstr ""
msgid "Mute all {displayTag} posts"
msgstr ""
-#: src/components/TagMenu/index.tsx:211
-#~ msgid "Mute all {tag} posts"
-#~ msgstr ""
-
#: src/components/dialogs/MutedWords.tsx:148
msgid "Mute in tags only"
msgstr ""
@@ -2816,19 +2536,15 @@ msgstr ""
msgid "Mute in text & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr ""
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:279
-#~ msgid "Mute this List"
-#~ msgstr ""
-
#: src/components/dialogs/MutedWords.tsx:126
msgid "Mute this word in post text and tags"
msgstr ""
@@ -2837,13 +2553,13 @@ msgstr ""
msgid "Mute this word in tags only"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr ""
@@ -2856,11 +2572,11 @@ msgid "Muted accounts"
msgstr ""
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr ""
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr ""
@@ -2872,7 +2588,7 @@ msgstr ""
msgid "Muted words & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr ""
@@ -2881,7 +2597,7 @@ msgstr ""
msgid "My Birthday"
msgstr ""
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr ""
@@ -2889,18 +2605,14 @@ msgstr ""
msgid "My Profile"
msgstr ""
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr ""
-#: src/view/com/auth/server-input/index.tsx:118
-#~ msgid "my-server.com"
-#~ msgstr ""
-
#: src/view/com/modals/AddAppPasswords.tsx:180
#: src/view/com/modals/CreateOrEditList.tsx:291
msgid "Name"
@@ -2921,7 +2633,7 @@ msgid "Nature"
msgstr ""
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr ""
@@ -2930,15 +2642,10 @@ msgstr ""
msgid "Navigates to your profile"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr ""
-#: src/view/com/modals/EmbedConsent.tsx:107
-#: src/view/com/modals/EmbedConsent.tsx:123
-#~ msgid "Never load embeds from {0}"
-#~ msgstr ""
-
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:72
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:74
msgid "Never lose access to your followers and data."
@@ -2948,10 +2655,6 @@ msgstr ""
msgid "Never lose access to your followers or data."
msgstr ""
-#: src/components/dialogs/MutedWords.tsx:293
-#~ msgid "Nevermind"
-#~ msgstr ""
-
#: src/view/com/modals/ChangeHandle.tsx:519
msgid "Nevermind, create a handle for me"
msgstr ""
@@ -2982,12 +2685,12 @@ msgctxt "action"
msgid "New post"
msgstr ""
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr ""
@@ -3011,12 +2714,12 @@ msgstr ""
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3040,8 +2743,8 @@ msgstr ""
msgid "No"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr ""
@@ -3053,7 +2756,7 @@ msgstr ""
msgid "No longer following {0}"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -3070,13 +2773,13 @@ msgstr ""
msgid "No results found"
msgstr ""
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr ""
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr ""
@@ -3103,7 +2806,7 @@ msgid "Not Applicable."
msgstr ""
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr ""
@@ -3113,8 +2816,8 @@ msgid "Not right now"
msgstr ""
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -3122,13 +2825,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr ""
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr ""
@@ -3140,11 +2843,7 @@ msgstr ""
msgid "Nudity or adult content not labeled as such"
msgstr ""
-#: src/lib/moderation/useReportOptions.ts:71
-#~ msgid "Nudity or pornography not labeled as such"
-#~ msgstr ""
-
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -3161,7 +2860,7 @@ msgid "Oh no! Something went wrong."
msgstr ""
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr ""
@@ -3173,7 +2872,7 @@ msgstr ""
msgid "Oldest replies first"
msgstr ""
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr ""
@@ -3185,7 +2884,7 @@ msgstr ""
msgid "Only {0} can reply."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -3195,7 +2894,7 @@ msgstr ""
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr ""
@@ -3203,20 +2902,16 @@ msgstr ""
msgid "Open"
msgstr ""
-#: src/view/screens/Moderation.tsx:75
-#~ msgid "Open content filtering settings"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:491
#: src/view/com/composer/Composer.tsx:492
msgid "Open emoji picker"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr ""
@@ -3224,24 +2919,20 @@ msgstr ""
msgid "Open muted words and tags settings"
msgstr ""
-#: src/view/screens/Moderation.tsx:92
-#~ msgid "Open muted words settings"
-#~ msgstr ""
-
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr ""
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr ""
@@ -3253,7 +2944,7 @@ msgstr ""
msgid "Opens additional details for a debug entry"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr ""
@@ -3265,7 +2956,7 @@ msgstr ""
msgid "Opens composer"
msgstr ""
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr ""
@@ -3273,63 +2964,41 @@ msgstr ""
msgid "Opens device photo gallery"
msgstr ""
-#: src/view/com/profile/ProfileHeader.tsx:420
-#~ msgid "Opens editor for profile display name, avatar, background image, and description"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr ""
-#: src/view/com/profile/ProfileHeader.tsx:575
-#~ msgid "Opens followers list"
-#~ msgstr ""
-
-#: src/view/com/profile/ProfileHeader.tsx:594
-#~ msgid "Opens following list"
-#~ msgstr ""
-
-#: src/view/screens/Settings.tsx:412
-#~ msgid "Opens invite code list"
-#~ msgstr ""
-
#: src/view/com/modals/InviteCodes.tsx:173
msgid "Opens list of invite codes"
msgstr ""
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
-#: src/view/screens/Settings/index.tsx:774
-#~ msgid "Opens modal for account deletion confirmation. Requires email code."
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3337,7 +3006,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr ""
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr ""
@@ -3345,45 +3014,37 @@ msgstr ""
msgid "Opens password reset form"
msgstr ""
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr ""
-#: src/view/screens/Settings/index.tsx:676
-#~ msgid "Opens the app password settings page"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr ""
-#: src/view/screens/Settings/index.tsx:535
-#~ msgid "Opens the home feed preferences"
-#~ msgstr ""
-
#: src/view/com/modals/LinkWarning.tsx:93
msgid "Opens the linked website"
msgstr ""
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr ""
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr ""
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr ""
@@ -3391,7 +3052,7 @@ msgstr ""
msgid "Option {0} of {numItems}"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr ""
@@ -3407,10 +3068,6 @@ msgstr ""
msgid "Other account"
msgstr ""
-#: src/view/com/modals/ServerInput.tsx:88
-#~ msgid "Other service"
-#~ msgstr ""
-
#: src/view/com/composer/select-language/SelectLangBtn.tsx:91
msgid "Other..."
msgstr ""
@@ -3425,7 +3082,7 @@ msgid "Page Not Found"
msgstr ""
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3443,6 +3100,11 @@ msgstr ""
msgid "Password updated!"
msgstr ""
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr ""
@@ -3463,24 +3125,20 @@ msgstr ""
msgid "Pets"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:183
-#~ msgid "Phone number"
-#~ msgstr ""
-
#: src/view/com/modals/SelfLabel.tsx:121
msgid "Pictures meant for adults."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr ""
@@ -3517,10 +3175,6 @@ msgstr ""
msgid "Please enter a name for your app password. All spaces is not allowed."
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:206
-#~ msgid "Please enter a phone number that can receive SMS text messages."
-#~ msgstr ""
-
#: src/view/com/modals/AddAppPasswords.tsx:146
msgid "Please enter a unique name for this App Password or use our randomly generated one."
msgstr ""
@@ -3529,14 +3183,6 @@ msgstr ""
msgid "Please enter a valid word, tag, or phrase to mute"
msgstr ""
-#: src/view/com/auth/create/state.ts:170
-#~ msgid "Please enter the code you received by SMS."
-#~ msgstr ""
-
-#: src/view/com/auth/create/Step2.tsx:282
-#~ msgid "Please enter the verification code sent to {phoneNumberFormatted}."
-#~ msgstr ""
-
#: src/screens/Signup/state.ts:220
msgid "Please enter your email."
msgstr ""
@@ -3549,16 +3195,6 @@ msgstr ""
msgid "Please explain why you think this label was incorrectly applied by {0}"
msgstr ""
-#: src/view/com/modals/AppealLabel.tsx:72
-#: src/view/com/modals/AppealLabel.tsx:75
-#~ msgid "Please tell us why you think this content warning was incorrectly applied!"
-#~ msgstr ""
-
-#: src/view/com/modals/AppealLabel.tsx:72
-#: src/view/com/modals/AppealLabel.tsx:75
-#~ msgid "Please tell us why you think this decision was incorrect."
-#~ msgstr ""
-
#: src/view/com/modals/VerifyEmail.tsx:101
msgid "Please Verify Your Email"
msgstr ""
@@ -3575,10 +3211,6 @@ msgstr ""
msgid "Porn"
msgstr ""
-#: src/lib/moderation/useGlobalLabelStrings.ts:34
-#~ msgid "Pornography"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:367
#: src/view/com/composer/Composer.tsx:375
msgctxt "action"
@@ -3600,7 +3232,7 @@ msgstr ""
msgid "Post by @{0}"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr ""
@@ -3635,7 +3267,8 @@ msgstr ""
msgid "posts"
msgstr ""
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr ""
@@ -3651,13 +3284,13 @@ msgstr ""
msgid "Potentially Misleading Link"
msgstr ""
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr ""
@@ -3673,7 +3306,7 @@ msgstr ""
msgid "Prioritize Your Follows"
msgstr ""
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr ""
@@ -3681,8 +3314,8 @@ msgstr ""
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr ""
@@ -3691,15 +3324,15 @@ msgid "Processing..."
msgstr ""
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr ""
@@ -3707,7 +3340,7 @@ msgstr ""
msgid "Profile updated"
msgstr ""
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr ""
@@ -3753,15 +3386,15 @@ msgstr ""
msgid "Ratios"
msgstr ""
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr ""
@@ -3774,15 +3407,11 @@ msgstr ""
msgid "Remove"
msgstr ""
-#: src/view/com/feeds/FeedSourceCard.tsx:108
-#~ msgid "Remove {0} from my feeds?"
-#~ msgstr ""
-
#: src/view/com/util/AccountDropdownBtn.tsx:22
msgid "Remove account"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr ""
@@ -3800,8 +3429,8 @@ msgstr ""
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr ""
@@ -3825,18 +3454,10 @@ msgstr ""
msgid "Remove repost"
msgstr ""
-#: src/view/com/feeds/FeedSourceCard.tsx:175
-#~ msgid "Remove this feed from my feeds?"
-#~ msgstr ""
-
#: src/view/com/posts/FeedErrorMessage.tsx:202
msgid "Remove this feed from your saved feeds"
msgstr ""
-#: src/view/com/posts/FeedErrorMessage.tsx:132
-#~ msgid "Remove this feed from your saved feeds?"
-#~ msgstr ""
-
#: src/view/com/modals/ListAddRemoveUsers.tsx:199
#: src/view/com/modals/UserAddRemoveLists.tsx:152
msgid "Removed from list"
@@ -3846,7 +3467,7 @@ msgstr ""
msgid "Removed from my feeds"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr ""
@@ -3854,7 +3475,7 @@ msgstr ""
msgid "Removes default thumbnail from {0}"
msgstr ""
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr ""
@@ -3871,16 +3492,12 @@ msgstr ""
msgid "Reply Filters"
msgstr ""
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr ""
-#: src/view/com/modals/report/Modal.tsx:166
-#~ msgid "Report {collectionName}"
-#~ msgstr ""
-
#: src/view/com/profile/ProfileMenu.tsx:319
#: src/view/com/profile/ProfileMenu.tsx:322
msgid "Report Account"
@@ -3890,17 +3507,17 @@ msgstr ""
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr ""
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr ""
@@ -3945,15 +3562,19 @@ msgstr ""
msgid "Reposted By"
msgstr ""
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr ""
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr ""
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr ""
@@ -3966,16 +3587,12 @@ msgstr ""
msgid "Request Change"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:219
-#~ msgid "Request code"
-#~ msgstr ""
-
#: src/view/com/modals/ChangePassword.tsx:241
#: src/view/com/modals/ChangePassword.tsx:243
msgid "Request Code"
msgstr ""
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr ""
@@ -3991,12 +3608,8 @@ msgstr ""
msgid "Reset Code"
msgstr ""
-#: src/view/screens/Settings/index.tsx:824
-#~ msgid "Reset onboarding"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr ""
@@ -4004,20 +3617,16 @@ msgstr ""
msgid "Reset password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:814
-#~ msgid "Reset preferences"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr ""
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr ""
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr ""
@@ -4036,18 +3645,14 @@ msgstr ""
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:247
-#~ msgid "Retry."
-#~ msgstr ""
-
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr ""
@@ -4060,10 +3665,6 @@ msgstr ""
msgid "Returns to previous page"
msgstr ""
-#: src/view/shell/desktop/RightNav.tsx:55
-#~ msgid "SANDBOX. Posts and accounts are not permanent."
-#~ msgstr ""
-
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/view/com/modals/ChangeHandle.tsx:174
#: src/view/com/modals/CreateOrEditList.tsx:338
@@ -4097,12 +3698,12 @@ msgstr ""
msgid "Save image crop"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr ""
@@ -4110,7 +3711,7 @@ msgstr ""
msgid "Saved to your camera roll."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr ""
@@ -4130,28 +3731,28 @@ msgstr ""
msgid "Science"
msgstr ""
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr ""
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr ""
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr ""
@@ -4160,18 +3761,10 @@ msgstr ""
msgid "Search for all posts by @{authorHandle} with tag {displayTag}"
msgstr ""
-#: src/components/TagMenu/index.tsx:145
-#~ msgid "Search for all posts by @{authorHandle} with tag {tag}"
-#~ msgstr ""
-
#: src/components/TagMenu/index.tsx:94
msgid "Search for all posts with tag {displayTag}"
msgstr ""
-#: src/components/TagMenu/index.tsx:90
-#~ msgid "Search for all posts with tag {tag}"
-#~ msgstr ""
-
#: src/view/com/auth/LoggedOut.tsx:105
#: src/view/com/auth/LoggedOut.tsx:106
#: src/view/com/modals/ListAddRemoveUsers.tsx:70
@@ -4198,21 +3791,18 @@ msgstr ""
msgid "See <0>{displayTag}0> posts by this user"
msgstr ""
-#: src/components/TagMenu/index.tsx:128
-#~ msgid "See <0>{tag}0> posts"
-#~ msgstr ""
-
-#: src/components/TagMenu/index.tsx:189
-#~ msgid "See <0>{tag}0> posts by this user"
-#~ msgstr ""
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr ""
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr ""
+#~ msgid "See what's next"
+#~ msgstr ""
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4222,10 +3812,6 @@ msgstr ""
msgid "Select account"
msgstr ""
-#: src/view/com/modals/ServerInput.tsx:75
-#~ msgid "Select Bluesky Social"
-#~ msgstr ""
-
#: src/screens/Login/index.tsx:120
msgid "Select from an existing account"
msgstr ""
@@ -4242,16 +3828,11 @@ msgstr ""
msgid "Select option {i} of {numItems}"
msgstr ""
-#: src/view/com/auth/create/Step1.tsx:96
-#: src/view/com/auth/login/LoginForm.tsx:153
-#~ msgid "Select service"
-#~ msgstr ""
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:52
msgid "Select some accounts below to follow"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4259,10 +3840,6 @@ msgstr ""
msgid "Select the service that hosts your data."
msgstr ""
-#: src/screens/Onboarding/StepModeration/index.tsx:49
-#~ msgid "Select the types of content that you want to see (or not see), and we'll handle the rest."
-#~ msgstr ""
-
#: src/screens/Onboarding/StepTopicalFeeds.tsx:100
msgid "Select topical feeds to follow from the list below"
msgstr ""
@@ -4275,15 +3852,11 @@ msgstr ""
msgid "Select which languages you want your subscribed feeds to include. If none are selected, all languages will be shown."
msgstr ""
-#: src/view/screens/LanguageSettings.tsx:98
-#~ msgid "Select your app language for the default text to display in the app"
-#~ msgstr ""
-
#: src/view/screens/LanguageSettings.tsx:98
msgid "Select your app language for the default text to display in the app."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4291,10 +3864,6 @@ msgstr ""
msgid "Select your interests from the options below"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:155
-#~ msgid "Select your phone's country"
-#~ msgstr ""
-
#: src/view/screens/LanguageSettings.tsx:190
msgid "Select your preferred language for translations in your feed."
msgstr ""
@@ -4321,20 +3890,16 @@ msgctxt "action"
msgid "Send Email"
msgstr ""
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr ""
-#: src/view/com/modals/report/SendReportButton.tsx:45
-#~ msgid "Send Report"
-#~ msgstr ""
-
#: src/components/ReportDialog/SelectLabelerView.tsx:44
msgid "Send report to {0}"
msgstr ""
@@ -4347,48 +3912,14 @@ msgstr ""
msgid "Server address"
msgstr ""
-#: src/view/com/modals/ContentFilteringSettings.tsx:311
-#~ msgid "Set {value} for {labelGroup} content moderation policy"
-#~ msgstr ""
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:160
-#: src/view/com/modals/ContentFilteringSettings.tsx:179
-#~ msgctxt "action"
-#~ msgid "Set Age"
-#~ msgstr ""
-
#: src/screens/Moderation/index.tsx:304
msgid "Set birthdate"
msgstr ""
-#: src/view/screens/Settings/index.tsx:488
-#~ msgid "Set color theme to dark"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:481
-#~ msgid "Set color theme to light"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:475
-#~ msgid "Set color theme to system setting"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:514
-#~ msgid "Set dark theme to the dark theme"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:507
-#~ msgid "Set dark theme to the dim theme"
-#~ msgstr ""
-
#: src/screens/Login/SetNewPasswordForm.tsx:102
msgid "Set new password"
msgstr ""
-#: src/view/com/auth/create/Step1.tsx:202
-#~ msgid "Set password"
-#~ msgstr ""
-
#: src/view/screens/PreferencesFollowingFeed.tsx:225
msgid "Set this setting to \"No\" to hide all quote posts from your feed. Reposts will still be visible."
msgstr ""
@@ -4405,10 +3936,6 @@ msgstr ""
msgid "Set this setting to \"Yes\" to show replies in a threaded view. This is an experimental feature."
msgstr ""
-#: src/view/screens/PreferencesHomeFeed.tsx:261
-#~ msgid "Set this setting to \"Yes\" to show samples of your saved feeds in your following feed. This is an experimental feature."
-#~ msgstr ""
-
#: src/view/screens/PreferencesFollowingFeed.tsx:261
msgid "Set this setting to \"Yes\" to show samples of your saved feeds in your Following feed. This is an experimental feature."
msgstr ""
@@ -4421,23 +3948,23 @@ msgstr ""
msgid "Sets Bluesky username"
msgstr ""
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr ""
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr ""
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr ""
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr ""
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr ""
@@ -4445,10 +3972,6 @@ msgstr ""
msgid "Sets email for password reset"
msgstr ""
-#: src/view/com/auth/login/ForgotPasswordForm.tsx:122
-#~ msgid "Sets hosting provider for password reset"
-#~ msgstr ""
-
#: src/view/com/modals/crop-image/CropImage.web.tsx:124
msgid "Sets image aspect ratio to square"
msgstr ""
@@ -4461,16 +3984,11 @@ msgstr ""
msgid "Sets image aspect ratio to wide"
msgstr ""
-#: src/view/com/auth/create/Step1.tsx:97
-#: src/view/com/auth/login/LoginForm.tsx:154
-#~ msgid "Sets server for the Bluesky client"
-#~ msgstr ""
-
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr ""
@@ -4489,21 +4007,21 @@ msgstr ""
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr ""
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr ""
@@ -4520,7 +4038,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr ""
@@ -4542,17 +4060,13 @@ msgstr ""
msgid "Show badge and filter from feeds"
msgstr ""
-#: src/view/com/modals/EmbedConsent.tsx:87
-#~ msgid "Show embeds from {0}"
-#~ msgstr ""
-
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:200
msgid "Show follows similar to {0}"
msgstr ""
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr ""
@@ -4609,7 +4123,7 @@ msgstr ""
msgid "Show the content"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr ""
@@ -4621,41 +4135,31 @@ msgstr ""
msgid "Show warning and filter from feeds"
msgstr ""
-#: src/view/com/profile/ProfileHeader.tsx:462
-#~ msgid "Shows a list of users similar to this user."
-#~ msgstr ""
-
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:130
msgid "Shows posts from {0} in your feed"
msgstr ""
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:82
-#: src/view/com/auth/SplashScreen.tsx:86
-#: src/view/com/auth/SplashScreen.web.tsx:91
-#~ msgid "Sign In"
-#~ msgstr ""
-
#: src/components/AccountList.tsx:109
msgid "Sign in as {0}"
msgstr ""
@@ -4664,28 +4168,32 @@ msgstr ""
msgid "Sign in as..."
msgstr ""
-#: src/view/com/auth/login/LoginForm.tsx:140
-#~ msgid "Sign into"
-#~ msgstr ""
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr ""
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr ""
@@ -4694,7 +4202,7 @@ msgstr ""
msgid "Sign-in Required"
msgstr ""
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr ""
@@ -4702,10 +4210,6 @@ msgstr ""
msgid "Signed in as @{0}"
msgstr ""
-#: src/view/com/modals/SwitchAccount.tsx:70
-#~ msgid "Signs {0} out of Bluesky"
-#~ msgstr ""
-
#: src/screens/Onboarding/StepInterests/index.tsx:239
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:203
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:35
@@ -4716,33 +4220,17 @@ msgstr ""
msgid "Skip this flow"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:82
-#~ msgid "SMS verification"
-#~ msgstr ""
-
#: src/screens/Onboarding/index.tsx:40
msgid "Software Dev"
msgstr ""
-#: src/view/com/modals/ProfilePreview.tsx:62
-#~ msgid "Something went wrong and we're not sure what."
-#~ msgstr ""
-
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr ""
-#: src/components/Lists.tsx:203
-#~ msgid "Something went wrong!"
-#~ msgstr ""
-
-#: src/view/com/modals/Waitlist.tsx:51
-#~ msgid "Something went wrong. Check your email and try again."
-#~ msgstr ""
-
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr ""
@@ -4774,28 +4262,20 @@ msgstr ""
msgid "Square"
msgstr ""
-#: src/view/com/modals/ServerInput.tsx:62
-#~ msgid "Staging"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr ""
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
-#: src/view/com/auth/create/StepHeader.tsx:22
-#~ msgid "Step {0} of {numSteps}"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr ""
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr ""
@@ -4804,15 +4284,15 @@ msgstr ""
msgid "Submit"
msgstr "Submit"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4821,15 +4301,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr ""
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr ""
@@ -4847,28 +4327,24 @@ msgstr ""
msgid "Support"
msgstr ""
-#: src/view/com/modals/ProfilePreview.tsx:110
-#~ msgid "Swipe up to see more"
-#~ msgstr ""
-
#: src/components/dialogs/SwitchAccount.tsx:46
#: src/components/dialogs/SwitchAccount.tsx:49
msgid "Switch Account"
msgstr ""
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr ""
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr ""
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr ""
@@ -4880,10 +4356,6 @@ msgstr ""
msgid "Tag menu: {displayTag}"
msgstr ""
-#: src/components/TagMenu/index.tsx:74
-#~ msgid "Tag menu: {tag}"
-#~ msgstr ""
-
#: src/view/com/modals/crop-image/CropImage.web.tsx:113
msgid "Tall"
msgstr ""
@@ -4902,9 +4374,9 @@ msgstr ""
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr ""
@@ -4922,7 +4394,7 @@ msgstr ""
msgid "Text input field"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr ""
@@ -4930,11 +4402,11 @@ msgstr ""
msgid "That contains the following:"
msgstr ""
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr ""
@@ -4984,8 +4456,8 @@ msgstr ""
msgid "There are many feeds to try:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr ""
@@ -4993,15 +4465,15 @@ msgstr ""
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr ""
@@ -5024,12 +4496,12 @@ msgstr ""
msgid "There was an issue fetching the list. Tap here to try again."
msgstr ""
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr ""
@@ -5055,10 +4527,10 @@ msgstr ""
msgid "There was an issue! {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr ""
@@ -5070,10 +4542,6 @@ msgstr ""
msgid "There's been a rush of new users to Bluesky! We'll activate your account as soon as we can."
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:55
-#~ msgid "There's something wrong with this number. Please choose your country and enter your full phone number!"
-#~ msgstr ""
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:146
msgid "These are popular accounts you might like:"
msgstr ""
@@ -5111,10 +4579,6 @@ msgstr ""
msgid "This content is not viewable without a Bluesky account."
msgstr ""
-#: src/view/screens/Settings/ExportCarDialog.tsx:75
-#~ msgid "This feature is in beta. You can read more about repository exports in <0>this blogpost.0>"
-#~ msgstr ""
-
#: src/view/screens/Settings/ExportCarDialog.tsx:75
msgid "This feature is in beta. You can read more about repository exports in <0>this blogpost0>."
msgstr ""
@@ -5123,9 +4587,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr ""
@@ -5145,7 +4609,7 @@ msgstr ""
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -5153,7 +4617,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr ""
@@ -5169,12 +4633,12 @@ msgstr ""
msgid "This post has been deleted."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr ""
@@ -5203,14 +4667,6 @@ msgstr ""
msgid "This user has requested that their content only be shown to signed-in users."
msgstr ""
-#: src/view/com/modals/ModerationDetails.tsx:42
-#~ msgid "This user is included in the <0/> list which you have blocked."
-#~ msgstr ""
-
-#: src/view/com/modals/ModerationDetails.tsx:74
-#~ msgid "This user is included in the <0/> list which you have muted."
-#~ msgstr ""
-
#: src/components/moderation/ModerationDetailsDialog.tsx:55
msgid "This user is included in the <0>{0}0> list which you have blocked."
msgstr ""
@@ -5219,10 +4675,6 @@ msgstr ""
msgid "This user is included in the <0>{0}0> list which you have muted."
msgstr ""
-#: src/view/com/modals/ModerationDetails.tsx:74
-#~ msgid "This user is included the <0/> list which you have muted."
-#~ msgstr ""
-
#: src/view/com/profile/ProfileFollows.tsx:87
msgid "This user isn't following anyone."
msgstr ""
@@ -5235,16 +4687,12 @@ msgstr ""
msgid "This will delete {0} from your muted words. You can always add it back later."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:282
-#~ msgid "This will hide this post from your feeds."
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr ""
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr ""
@@ -5272,14 +4720,18 @@ msgstr ""
msgid "Toggle to enable or disable adult content"
msgstr ""
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr ""
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr ""
@@ -5292,11 +4744,11 @@ msgstr ""
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr ""
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr ""
@@ -5304,15 +4756,15 @@ msgstr ""
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr ""
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr ""
@@ -5326,7 +4778,7 @@ msgstr ""
msgid "Unblock Account"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr ""
@@ -5339,7 +4791,7 @@ msgid "Undo repost"
msgstr ""
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr ""
@@ -5357,20 +4809,16 @@ msgstr ""
msgid "Unfollow Account"
msgstr ""
-#: src/view/com/auth/create/state.ts:262
-#~ msgid "Unfortunately, you do not meet the requirements to create an account."
-#~ msgstr ""
-
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr ""
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr ""
@@ -5387,37 +4835,29 @@ msgstr ""
msgid "Unmute all {displayTag} posts"
msgstr ""
-#: src/components/TagMenu/index.tsx:210
-#~ msgid "Unmute all {tag} posts"
-#~ msgstr ""
-
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr ""
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:346
-#~ msgid "Unsave"
-#~ msgstr ""
-
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5429,10 +4869,6 @@ msgstr ""
msgid "Update {displayName} in Lists"
msgstr ""
-#: src/lib/hooks/useOTAUpdate.ts:15
-#~ msgid "Update Available"
-#~ msgstr ""
-
#: src/view/com/modals/ChangeHandle.tsx:508
msgid "Update to {handle}"
msgstr ""
@@ -5445,20 +4881,20 @@ msgstr ""
msgid "Upload a text file to:"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5498,10 +4934,6 @@ msgstr ""
msgid "Use this to sign into the other app along with your handle."
msgstr ""
-#: src/view/com/modals/ServerInput.tsx:105
-#~ msgid "Use your domain as your Bluesky client service provider"
-#~ msgstr ""
-
#: src/view/com/modals/InviteCodes.tsx:201
msgid "Used by:"
msgstr ""
@@ -5527,22 +4959,18 @@ msgstr ""
msgid "User Blocks You"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:79
-#~ msgid "User handle"
-#~ msgstr ""
-
#: src/view/com/lists/ListCard.tsx:85
#: src/view/com/modals/UserAddRemoveLists.tsx:198
msgid "User list by {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr ""
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr ""
@@ -5562,7 +4990,9 @@ msgstr ""
msgid "Username or email address"
msgstr ""
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr ""
@@ -5582,23 +5012,19 @@ msgstr ""
msgid "Value:"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:243
-#~ msgid "Verification code"
-#~ msgstr ""
-
#: src/view/com/modals/ChangeHandle.tsx:509
msgid "Verify {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr ""
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr ""
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr ""
@@ -5611,7 +5037,7 @@ msgstr ""
msgid "Verify Your Email"
msgstr ""
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5627,11 +5053,11 @@ msgstr ""
msgid "View debug entry"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr ""
@@ -5643,6 +5069,8 @@ msgstr ""
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr ""
@@ -5655,7 +5083,7 @@ msgstr ""
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5679,10 +5107,6 @@ msgstr ""
msgid "Warn content and filter from feeds"
msgstr ""
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:134
-#~ msgid "We also think you'll like \"For You\" by Skygaze:"
-#~ msgstr ""
-
#: src/screens/Hashtag.tsx:133
msgid "We couldn't find any results for that hashtag."
msgstr ""
@@ -5699,10 +5123,6 @@ msgstr ""
msgid "We ran out of posts from your follows. Here's the latest from <0/>."
msgstr ""
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:118
-#~ msgid "We recommend \"For You\" by Skygaze:"
-#~ msgstr ""
-
#: src/components/dialogs/MutedWords.tsx:203
msgid "We recommend avoiding common words that appear in many posts, since it can result in no posts being shown."
msgstr ""
@@ -5727,19 +5147,15 @@ msgstr ""
msgid "We will let you know when your account is ready."
msgstr ""
-#: src/view/com/modals/AppealLabel.tsx:48
-#~ msgid "We'll look into your appeal promptly."
-#~ msgstr ""
-
#: src/screens/Onboarding/StepInterests/index.tsx:142
msgid "We'll use this to help customize your experience."
msgstr ""
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr ""
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr ""
@@ -5747,7 +5163,7 @@ msgstr ""
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr ""
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr ""
@@ -5756,7 +5172,7 @@ msgstr ""
msgid "We're sorry! We can't find the page you were looking for."
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5768,12 +5184,8 @@ msgstr ""
msgid "What are your interests?"
msgstr ""
-#: src/view/com/modals/report/Modal.tsx:169
-#~ msgid "What is the issue with this {collectionName}?"
-#~ msgstr ""
-
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr ""
@@ -5828,10 +5240,6 @@ msgstr ""
msgid "Writers"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:263
-#~ msgid "XXXXXX"
-#~ msgstr ""
-
#: src/view/com/composer/select-language/SuggestedLanguage.tsx:77
#: src/view/screens/PreferencesFollowingFeed.tsx:129
#: src/view/screens/PreferencesFollowingFeed.tsx:201
@@ -5842,10 +5250,6 @@ msgstr ""
msgid "Yes"
msgstr ""
-#: src/screens/Onboarding/StepModeration/index.tsx:46
-#~ msgid "You are in control"
-#~ msgstr ""
-
#: src/screens/Deactivated.tsx:130
msgid "You are in line."
msgstr ""
@@ -5859,10 +5263,6 @@ msgstr ""
msgid "You can also discover new Custom Feeds to follow."
msgstr ""
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:123
-#~ msgid "You can also try our \"Discover\" algorithm:"
-#~ msgstr ""
-
#: src/screens/Onboarding/StepFollowingFeed.tsx:143
msgid "You can change these settings later."
msgstr ""
@@ -5880,15 +5280,15 @@ msgstr ""
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr ""
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr ""
@@ -5926,39 +5326,27 @@ msgstr ""
msgid "You have muted this user"
msgstr ""
-#: src/view/com/modals/ModerationDetails.tsx:87
-#~ msgid "You have muted this user."
-#~ msgstr ""
-
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr ""
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr ""
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
-#~ msgid "You have not blocked any accounts yet. To block an account, go to their profile and selected \"Block account\" from the menu on their account."
-#~ msgstr ""
-
#: src/view/screens/AppPasswords.tsx:89
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr ""
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
-#: src/view/screens/ModerationMutedAccounts.tsx:131
-#~ msgid "You have not muted any accounts yet. To mute an account, go to their profile and selected \"Mute account\" from the menu on their account."
-#~ msgstr ""
-
#: src/components/dialogs/MutedWords.tsx:249
msgid "You haven't muted any words or tags yet"
msgstr ""
@@ -5971,23 +5359,19 @@ msgstr ""
msgid "You must be 13 years of age or older to sign up."
msgstr ""
-#: src/view/com/modals/ContentFilteringSettings.tsx:175
-#~ msgid "You must be 18 or older to enable adult content."
-#~ msgstr ""
-
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:110
msgid "You must be 18 years or older to enable adult content"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr ""
@@ -6018,7 +5402,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr ""
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr ""
@@ -6030,7 +5414,7 @@ msgstr ""
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr ""
@@ -6048,10 +5432,6 @@ msgstr ""
msgid "Your email appears to be invalid."
msgstr ""
-#: src/view/com/modals/Waitlist.tsx:109
-#~ msgid "Your email has been saved! We'll be in touch soon."
-#~ msgstr ""
-
#: src/view/com/modals/ChangeEmail.tsx:125
msgid "Your email has been updated but not verified. As a next step, please verify your new email."
msgstr ""
@@ -6064,7 +5444,7 @@ msgstr ""
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr ""
@@ -6072,12 +5452,6 @@ msgstr ""
msgid "Your full handle will be <0>@{0}0>"
msgstr ""
-#: src/view/screens/Settings.tsx:430
-#: src/view/shell/desktop/RightNav.tsx:137
-#: src/view/shell/Drawer.tsx:660
-#~ msgid "Your invite codes are hidden when logged in using an App Password"
-#~ msgstr ""
-
#: src/components/dialogs/MutedWords.tsx:220
msgid "Your muted words"
msgstr ""
@@ -6096,7 +5470,7 @@ msgstr ""
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr ""
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr ""
@@ -6104,6 +5478,6 @@ msgstr ""
msgid "Your reply has been published"
msgstr ""
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr ""
diff --git a/src/locale/locales/es/messages.po b/src/locale/locales/es/messages.po
index 73a77abd65..58d50bc410 100644
--- a/src/locale/locales/es/messages.po
+++ b/src/locale/locales/es/messages.po
@@ -21,6 +21,7 @@ msgstr ""
#~ msgid "{0, plural, one {# invite code available} other {# invite codes available}}"
#~ msgstr "{0, plural, one {# invite code available} other {# invite codes available}}"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr ""
@@ -39,7 +40,7 @@ msgstr ""
#~ msgid "{invitesAvailable} invite codes available"
#~ msgstr "{invitesAvailable} códigos de invitación disponibles"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr ""
@@ -51,15 +52,20 @@ msgstr "<0/> miembros"
msgid "<0>{0}0> following"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Elige tus0><1>publicaciones1><2>recomendadas2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Sigue a algunos0><1>usuarios1><2>recomendados2>"
@@ -67,7 +73,7 @@ msgstr "<0>Sigue a algunos0><1>usuarios1><2>recomendados2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr ""
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr ""
@@ -80,16 +86,16 @@ msgstr ""
#~ msgstr "Ya está disponible una nueva versión de la aplicación. Actualízala para seguir utilizándola."
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr ""
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr ""
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Accesibilidad"
@@ -98,8 +104,8 @@ msgid "account"
msgstr ""
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Cuenta"
@@ -149,7 +155,7 @@ msgstr ""
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Agregar"
@@ -157,13 +163,13 @@ msgstr "Agregar"
msgid "Add a content warning"
msgstr "Agregar una advertencia de cuenta"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Agregar un usuario a esta lista"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Agregar una cuenta"
@@ -253,11 +259,11 @@ msgid "Adult content is disabled."
msgstr ""
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Avanzado"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr ""
@@ -294,6 +300,8 @@ msgstr "Se ha enviado un correo electrónico a tu dirección previa, {0}. Incluy
msgid "An issue not included in these options"
msgstr ""
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -301,7 +309,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "y"
@@ -330,7 +338,7 @@ msgstr ""
msgid "App Password names must be at least 4 characters long."
msgstr ""
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr ""
@@ -340,7 +348,7 @@ msgstr ""
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Contraseñas de la app"
@@ -374,7 +382,7 @@ msgstr ""
#~ msgid "Appeal this decision."
#~ msgstr "Apelar esta decisión."
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Aspecto exterior"
@@ -410,7 +418,7 @@ msgstr ""
msgid "Artistic or non-erotic nudity."
msgstr "Desnudez artística o no erótica."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -425,7 +433,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Regresar"
@@ -439,7 +447,7 @@ msgstr "Regresar"
msgid "Based on your interest in {interestsText}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Conceptos básicos"
@@ -447,11 +455,11 @@ msgstr "Conceptos básicos"
msgid "Birthday"
msgstr "Cumpleaños"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Cumpleaños:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr ""
@@ -465,16 +473,16 @@ msgstr "Bloquear una cuenta"
msgid "Block Account?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Bloquear cuentas"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Bloquear una lista"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "¿Bloquear estas cuentas?"
@@ -483,7 +491,7 @@ msgstr "¿Bloquear estas cuentas?"
#~ msgstr ""
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr ""
@@ -492,7 +500,7 @@ msgid "Blocked accounts"
msgstr "Cuentas bloqueadas"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Cuentas bloqueadas"
@@ -500,7 +508,7 @@ msgstr "Cuentas bloqueadas"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Las cuentas bloqueadas no pueden responder en tus hilos, mencionarte ni interactuar contigo de ninguna otra forma."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Las cuentas bloqueadas no pueden responder en tus hilos, mencionarte ni interactuar contigo de ninguna otra forma. Tú no verás su contenido y ellos no podrán ver el tuyo."
@@ -508,11 +516,11 @@ msgstr "Las cuentas bloqueadas no pueden responder en tus hilos, mencionarte ni
msgid "Blocked post."
msgstr "Publicación bloqueada."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr ""
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "El bloque es público. Las cuentas bloqueadas no pueden responder en tus hilos, mencionarte ni interactuar contigo de ninguna otra forma."
@@ -520,12 +528,10 @@ msgstr "El bloque es público. Las cuentas bloqueadas no pueden responder en tus
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blog"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -578,8 +584,7 @@ msgstr ""
#~ msgid "Build version {0} {1}"
#~ msgstr "Versión {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Negocios"
@@ -641,7 +646,7 @@ msgstr "Sólo puede contener letras, números, espacios, guiones y guiones bajos
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Cancelar"
@@ -691,17 +696,17 @@ msgstr ""
msgid "Change"
msgstr ""
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Cambiar"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Cambiar el identificador"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Cambiar el identificador"
@@ -709,12 +714,12 @@ msgstr "Cambiar el identificador"
msgid "Change my email"
msgstr "Cambiar mi correo electrónico"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr ""
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr ""
@@ -735,11 +740,11 @@ msgstr "Cambiar tu correo electrónico"
msgid "Check my status"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Echa un vistazo a algunas publicaciones recomendadas. Pulsa + para añadirlos a tu lista de publicaciones ancladas."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Echa un vistazo a algunos usuarios recomendados. Síguelos para ver usuarios similares."
@@ -776,36 +781,36 @@ msgstr "Elige los algoritmos que potencian tu experiencia con publicaciones pers
msgid "Choose your main feeds"
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Elige tu contraseña"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Borrar todos los datos de almacenamiento heredados"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Borrar todos los datos de almacenamiento heredados (reiniciar después de esto)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Borrar todos los datos de almacenamiento"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Borrar todos los datos de almacenamiento (reiniciar después de esto)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Borrar consulta de búsqueda"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr ""
@@ -817,7 +822,7 @@ msgstr ""
msgid "Click here to open tag menu for {tag}"
msgstr ""
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr ""
@@ -851,7 +856,7 @@ msgstr "Cerrar la imagen"
msgid "Close image viewer"
msgstr "Cerrar el visor de imagen"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Cerrar el pie de página de navegación"
@@ -860,7 +865,7 @@ msgstr "Cerrar el pie de página de navegación"
msgid "Close this dialog"
msgstr ""
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr ""
@@ -876,7 +881,7 @@ msgstr ""
msgid "Closes viewer for header image"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr ""
@@ -897,7 +902,7 @@ msgstr "Directrices de la comunidad"
msgid "Complete onboarding and start using your account"
msgstr ""
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr ""
@@ -977,7 +982,7 @@ msgstr "Código de confirmación"
msgid "Connecting..."
msgstr "Conectando..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr ""
@@ -1031,8 +1036,8 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Continuar"
@@ -1045,7 +1050,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr ""
@@ -1066,17 +1071,21 @@ msgstr ""
msgid "Copied"
msgstr "Copiado"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr ""
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr ""
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr ""
@@ -1089,12 +1098,17 @@ msgstr "Copiar"
msgid "Copy {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Copia el enlace a la lista"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Copia el enlace a la publicación"
@@ -1102,8 +1116,8 @@ msgstr "Copia el enlace a la publicación"
#~ msgid "Copy link to profile"
#~ msgstr "Copia el enlace al perfil"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Copiar el texto de la publicación"
@@ -1116,7 +1130,7 @@ msgstr "Política de derechos de autor"
msgid "Could not load feed"
msgstr "No se ha podido cargar las publicaciones"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "No se ha podido cargar la lista"
@@ -1124,31 +1138,34 @@ msgstr "No se ha podido cargar la lista"
#~ msgid "Country"
#~ msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Crear una cuenta nueva"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr ""
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Crear una cuenta"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Crear una cuenta nueva"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr ""
@@ -1182,7 +1199,7 @@ msgid "Custom domain"
msgstr "Dominio personalizado"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr ""
@@ -1194,8 +1211,8 @@ msgstr ""
#~ msgid "Danger Zone"
#~ msgstr "Zona de peligro"
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr ""
@@ -1203,15 +1220,15 @@ msgstr ""
msgid "Dark mode"
msgstr ""
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1219,13 +1236,13 @@ msgstr ""
msgid "Debug panel"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr ""
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Borrar la cuenta"
@@ -1241,7 +1258,7 @@ msgstr "Borrar la contraseña de la app"
msgid "Delete app password?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Borrar la lista"
@@ -1253,24 +1270,24 @@ msgstr "Borrar mi cuenta"
#~ msgid "Delete my account…"
#~ msgstr "Borrar mi cuenta..."
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Borrar una publicación"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "¿Borrar esta publicación?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr ""
@@ -1293,10 +1310,18 @@ msgstr "Descripción"
msgid "Did you want to say anything?"
msgstr "¿Quieres decir algo?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr ""
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1330,7 +1355,7 @@ msgstr ""
#~ msgid "Discover new feeds"
#~ msgstr "Descubrir nuevas publicaciones"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr ""
@@ -1350,7 +1375,7 @@ msgstr ""
msgid "Does not include nudity."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1384,7 +1409,7 @@ msgstr "¡Dominio verificado!"
msgid "Done"
msgstr "Listo"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1467,7 +1492,7 @@ msgctxt "action"
msgid "Edit"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr ""
@@ -1477,7 +1502,7 @@ msgstr ""
msgid "Edit image"
msgstr "Editar la imagen"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Editar los detalles de la lista"
@@ -1486,8 +1511,8 @@ msgid "Edit Moderation List"
msgstr ""
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Editar mis noticias"
@@ -1495,18 +1520,18 @@ msgstr "Editar mis noticias"
msgid "Edit my profile"
msgstr "Editar mi perfil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Editar el perfil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Editar el perfil"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Editar mis noticias guardadas"
@@ -1548,10 +1573,24 @@ msgstr "Correo electrónico actualizado"
msgid "Email verified"
msgstr ""
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "Correo electrónico:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr ""
@@ -1594,7 +1633,7 @@ msgstr ""
msgid "Enabled"
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Fin de noticias"
@@ -1636,7 +1675,7 @@ msgstr ""
#~ msgstr ""
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Introduce la dirección de correo electrónico"
@@ -1660,7 +1699,7 @@ msgstr "Introduce tu nombre de usuario y contraseña"
msgid "Error receiving captcha response."
msgstr ""
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Error:"
@@ -1701,8 +1740,8 @@ msgstr ""
msgid "Expand alt text"
msgstr "Expandir el texto alt"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr ""
@@ -1714,12 +1753,12 @@ msgstr ""
msgid "Explicit sexual images."
msgstr ""
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr ""
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr ""
@@ -1735,11 +1774,11 @@ msgstr ""
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr ""
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr ""
@@ -1752,12 +1791,12 @@ msgstr ""
msgid "Failed to create the list. Check your internet connection and try again."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Error al cargar las noticias recomendadas"
@@ -1773,7 +1812,7 @@ msgstr ""
msgid "Feed by {0}"
msgstr ""
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Noticias fuera de línea"
@@ -1782,18 +1821,18 @@ msgstr "Noticias fuera de línea"
#~ msgstr "Preferencias de noticias"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Comentarios"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Noticias"
@@ -1805,11 +1844,11 @@ msgstr "Noticias"
#~ msgid "Feeds are created by users and organizations. They offer you varied experiences and suggest content you may like using algorithms."
#~ msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Se crean las noticias por los usuarios para crear colecciones de contenidos. Elige algunas noticias que te parezcan interesantes."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Las noticias son algoritmos personalizados que los usuarios construyen con un poco de experiencia en codificación. <0/> para más información."
@@ -1835,11 +1874,11 @@ msgstr ""
msgid "Find accounts to follow"
msgstr ""
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Encontrar usuarios en Bluesky"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Encuentra usuarios con la herramienta de búsqueda de la derecha"
@@ -1877,10 +1916,10 @@ msgid "Flip vertically"
msgstr ""
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Seguir"
@@ -1912,11 +1951,11 @@ msgstr ""
msgid "Follow selected accounts and continue to the next step"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Sigue a algunos usuarios para empezar. Podemos recomendarte más usuarios en función de los que te parezcan interesantes."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr ""
@@ -1928,7 +1967,7 @@ msgstr "Usuarios seguidos"
msgid "Followed users only"
msgstr "Solo usuarios seguidos"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr ""
@@ -1937,7 +1976,7 @@ msgstr ""
msgid "Followers"
msgstr "Seguidores"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1948,15 +1987,15 @@ msgstr "Siguiendo"
msgid "Following {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr ""
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr ""
@@ -1964,7 +2003,7 @@ msgstr ""
msgid "Follows you"
msgstr "Te siguen"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr ""
@@ -2010,7 +2049,7 @@ msgstr ""
msgid "From @{sanitizedAuthor}"
msgstr ""
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr ""
@@ -2034,7 +2073,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Regresar"
@@ -2044,15 +2083,15 @@ msgstr "Regresar"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Regresar"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr ""
@@ -2064,7 +2103,7 @@ msgstr ""
msgid "Go Home"
msgstr ""
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr ""
@@ -2094,16 +2133,16 @@ msgstr ""
#~ msgid "Hashtag: {tag}"
#~ msgstr ""
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr ""
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr ""
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Ayuda"
@@ -2132,17 +2171,17 @@ msgstr "Aquí tienes tu contraseña de la app."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Ocultar"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Ocultar publicación"
@@ -2151,11 +2190,11 @@ msgstr "Ocultar publicación"
msgid "Hide the content"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "¿Ocultar esta publicación?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Ocultar la lista de usuarios"
@@ -2191,11 +2230,11 @@ msgstr ""
msgid "Hmmmm, we couldn't load that moderation service."
msgstr ""
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Página inicial"
@@ -2245,11 +2284,11 @@ msgstr "Si no se selecciona ninguno, es apto para todas las edades."
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr ""
@@ -2334,7 +2373,7 @@ msgstr ""
msgid "Input your preferred hosting provider"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr ""
@@ -2378,8 +2417,7 @@ msgstr ""
msgid "It shows posts from the people you follow as they happen."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Tareas"
@@ -2412,11 +2450,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2436,7 +2474,7 @@ msgstr ""
msgid "Language selection"
msgstr "Escoger el idioma"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr ""
@@ -2445,7 +2483,7 @@ msgstr ""
msgid "Language Settings"
msgstr "Configuración del idioma"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Idiomas"
@@ -2453,6 +2491,10 @@ msgstr "Idiomas"
#~ msgid "Last step!"
#~ msgstr ""
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr "Aprender más"
@@ -2491,7 +2533,7 @@ msgstr "Salir de Bluesky"
msgid "left to go."
msgstr ""
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr ""
@@ -2509,16 +2551,16 @@ msgstr ""
#~ msgid "Library"
#~ msgstr "Librería"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr ""
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Dar «me gusta» a esta noticia"
@@ -2542,21 +2584,21 @@ msgstr ""
msgid "Liked by {count} {0}"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr ""
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Cantidad de «Me gusta»"
@@ -2572,7 +2614,7 @@ msgstr ""
msgid "List Avatar"
msgstr "Avatar de la lista"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr ""
@@ -2580,11 +2622,11 @@ msgstr ""
msgid "List by {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr ""
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr ""
@@ -2592,20 +2634,20 @@ msgstr ""
msgid "List Name"
msgstr "Nombre de la lista"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr ""
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr ""
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Listas"
@@ -2618,10 +2660,10 @@ msgstr "Listas"
msgid "Load new notifications"
msgstr "Cargar notificaciones nuevas"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Cargar publicaciones nuevas"
@@ -2672,7 +2714,7 @@ msgstr ""
#~ msgid "May only contain letters and numbers"
#~ msgstr ""
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Medios"
@@ -2685,7 +2727,7 @@ msgid "Mentioned users"
msgstr "Usuarios mencionados"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Menú"
@@ -2699,10 +2741,10 @@ msgstr ""
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Moderación"
@@ -2715,13 +2757,13 @@ msgstr ""
msgid "Moderation list by {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr ""
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr ""
@@ -2742,7 +2784,7 @@ msgstr "Listas de moderación"
msgid "Moderation Lists"
msgstr "Listas de moderación"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr ""
@@ -2759,7 +2801,7 @@ msgstr ""
msgid "Moderator has chosen to set a general warning on the content."
msgstr ""
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr ""
@@ -2767,7 +2809,7 @@ msgstr ""
msgid "More feeds"
msgstr "Más canales de noticias"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Más opciones"
@@ -2796,7 +2838,7 @@ msgstr ""
msgid "Mute Account"
msgstr "Silenciar la cuenta"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Silenciar las cuentas"
@@ -2816,12 +2858,12 @@ msgstr ""
msgid "Mute in text & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Silenciar la lista"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "¿Silenciar estas cuentas?"
@@ -2837,13 +2879,13 @@ msgstr ""
msgid "Mute this word in tags only"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Silenciar el hilo"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr ""
@@ -2856,11 +2898,11 @@ msgid "Muted accounts"
msgstr "Cuentas silenciadas"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Cuentas silenciadas"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Las cuentas silenciadas eliminan sus publicaciones de tu canal de noticias y de tus notificaciones. Las cuentas silenciadas son completamente privadas."
@@ -2872,7 +2914,7 @@ msgstr ""
msgid "Muted words & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Silenciar es privado. Las cuentas silenciadas pueden interactuar contigo, pero no verás sus publicaciones ni recibirás notificaciones suyas."
@@ -2881,7 +2923,7 @@ msgstr "Silenciar es privado. Las cuentas silenciadas pueden interactuar contigo
msgid "My Birthday"
msgstr "Mi cumpleaños"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Mis canales de noticias"
@@ -2889,11 +2931,11 @@ msgstr "Mis canales de noticias"
msgid "My Profile"
msgstr "Mi perfil"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "Mis canales de noticias guardados"
@@ -2921,7 +2963,7 @@ msgid "Nature"
msgstr ""
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr ""
@@ -2930,7 +2972,7 @@ msgstr ""
msgid "Navigates to your profile"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr ""
@@ -2982,12 +3024,12 @@ msgctxt "action"
msgid "New post"
msgstr ""
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Publicación nueva"
@@ -3011,12 +3053,12 @@ msgstr ""
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3040,8 +3082,8 @@ msgstr "Imagen nueva"
msgid "No"
msgstr "No"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Sin descripción"
@@ -3053,7 +3095,7 @@ msgstr ""
msgid "No longer following {0}"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -3070,13 +3112,13 @@ msgstr "Sin resultados"
msgid "No results found"
msgstr ""
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "No se han encontrado resultados para \"{query}\""
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "No se han encontrado resultados para {query}"
@@ -3103,7 +3145,7 @@ msgid "Not Applicable."
msgstr "No aplicable."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr ""
@@ -3113,8 +3155,8 @@ msgid "Not right now"
msgstr ""
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -3122,13 +3164,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Nota: Bluesky es una red abierta y pública. Esta configuración sólo limita la visibilidad de tu contenido en la aplicación y el sitio web de Bluesky, y es posible que otras aplicaciones no respeten esta configuración. Otras aplicaciones y sitios web pueden seguir mostrando tu contenido a los usuarios que hayan cerrado sesión."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Notificaciones"
@@ -3144,7 +3186,7 @@ msgstr ""
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr ""
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -3161,7 +3203,7 @@ msgid "Oh no! Something went wrong."
msgstr ""
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr ""
@@ -3173,7 +3215,7 @@ msgstr "Está bien"
msgid "Oldest replies first"
msgstr ""
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr ""
@@ -3185,7 +3227,7 @@ msgstr "Falta el texto alternativo en una o varias imágenes."
msgid "Only {0} can reply."
msgstr "Solo {0} puede responder."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -3195,7 +3237,7 @@ msgstr ""
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr ""
@@ -3212,11 +3254,11 @@ msgstr ""
msgid "Open emoji picker"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr ""
@@ -3228,20 +3270,20 @@ msgstr ""
#~ msgid "Open muted words settings"
#~ msgstr ""
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Abrir navegación"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr ""
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr ""
@@ -3253,7 +3295,7 @@ msgstr ""
msgid "Opens additional details for a debug entry"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr ""
@@ -3265,7 +3307,7 @@ msgstr ""
msgid "Opens composer"
msgstr ""
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Abrir la configuración del idioma que se puede ajustar"
@@ -3277,19 +3319,17 @@ msgstr ""
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr ""
@@ -3309,7 +3349,7 @@ msgstr ""
msgid "Opens list of invite codes"
msgstr "Abre la lista de códigos de invitación"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
@@ -3317,19 +3357,19 @@ msgstr ""
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3337,7 +3377,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr "Abre el modal para usar el dominio personalizado"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Abre la configuración de moderación"
@@ -3345,16 +3385,16 @@ msgstr "Abre la configuración de moderación"
msgid "Opens password reset form"
msgstr ""
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Abre la pantalla con todas las noticias guardadas"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr ""
@@ -3362,7 +3402,7 @@ msgstr ""
#~ msgid "Opens the app password settings page"
#~ msgstr "Abre la página de configuración de la contraseña de la app"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr ""
@@ -3374,16 +3414,16 @@ msgstr ""
msgid "Opens the linked website"
msgstr ""
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Abre la página del libro de cuentos"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Abre la página de la bitácora del sistema"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Abre las preferencias de hilos"
@@ -3391,7 +3431,7 @@ msgstr "Abre las preferencias de hilos"
msgid "Option {0} of {numItems}"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr ""
@@ -3425,7 +3465,7 @@ msgid "Page Not Found"
msgstr ""
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3443,6 +3483,11 @@ msgstr "Contraseña actualizada"
msgid "Password updated!"
msgstr "¡Contraseña actualizada!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr ""
@@ -3471,16 +3516,16 @@ msgstr ""
msgid "Pictures meant for adults."
msgstr "Imágenes destinadas a adultos."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Canales de noticias anclados"
@@ -3595,7 +3640,7 @@ msgstr ""
msgid "Post by @{0}"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr ""
@@ -3630,7 +3675,8 @@ msgstr "Publicación no encontrada"
msgid "posts"
msgstr ""
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Publicaciones"
@@ -3646,13 +3692,13 @@ msgstr ""
msgid "Potentially Misleading Link"
msgstr "Enlace potencialmente engañoso"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr ""
@@ -3668,7 +3714,7 @@ msgstr "Lenguajes primarios"
msgid "Prioritize Your Follows"
msgstr "Priorizar los usuarios a los que sigue"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Privacidad"
@@ -3676,8 +3722,8 @@ msgstr "Privacidad"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Política de privacidad"
@@ -3686,15 +3732,15 @@ msgid "Processing..."
msgstr "Procesando..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Perfil"
@@ -3702,7 +3748,7 @@ msgstr "Perfil"
msgid "Profile updated"
msgstr ""
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Protege tu cuenta verificando tu correo electrónico."
@@ -3748,15 +3794,15 @@ msgstr ""
msgid "Ratios"
msgstr "Proporciones"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Canales de noticias recomendados"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Usuarios recomendados"
@@ -3777,7 +3823,7 @@ msgstr "Eliminar"
msgid "Remove account"
msgstr "Eliminar la cuenta"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr ""
@@ -3795,8 +3841,8 @@ msgstr ""
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Eliminar de mis canales de noticias"
@@ -3841,7 +3887,7 @@ msgstr "Eliminar de la lista"
msgid "Removed from my feeds"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr ""
@@ -3849,7 +3895,7 @@ msgstr ""
msgid "Removes default thumbnail from {0}"
msgstr ""
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Respuestas"
@@ -3866,8 +3912,8 @@ msgstr ""
msgid "Reply Filters"
msgstr "Filtros de respuestas"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr ""
@@ -3885,17 +3931,17 @@ msgstr "Informe de la cuenta"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Informe del canal de noticias"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Informe de la lista"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Informe de la publicación"
@@ -3940,15 +3986,19 @@ msgstr "Volver a publicar o citar publicación"
msgid "Reposted By"
msgstr "Vuelto a publicar por"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "Vuelto a publicar por {0}"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "Vuelto a publicar por <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "Vuelto a publicar por <0/>"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr ""
@@ -3970,7 +4020,7 @@ msgstr "Solicitar un cambio"
msgid "Request Code"
msgstr ""
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr ""
@@ -3990,8 +4040,8 @@ msgstr ""
#~ msgid "Reset onboarding"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Restablecer el estado de incorporación"
@@ -4003,16 +4053,16 @@ msgstr "Restablecer la contraseña"
#~ msgid "Reset preferences"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Restablecer el estado de preferencias"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Restablece el estado de incorporación"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Restablecer el estado de preferencias"
@@ -4031,7 +4081,7 @@ msgstr ""
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
@@ -4042,7 +4092,7 @@ msgstr "Volver a intentar"
#~ msgstr ""
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr ""
@@ -4092,12 +4142,12 @@ msgstr "Guardar el cambio de identificador"
msgid "Save image crop"
msgstr "Guardar el recorte de imagen"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Guardar canales de noticias"
@@ -4105,7 +4155,7 @@ msgstr "Guardar canales de noticias"
msgid "Saved to your camera roll."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr ""
@@ -4125,28 +4175,28 @@ msgstr ""
msgid "Science"
msgstr ""
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr ""
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Buscar"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr ""
@@ -4201,13 +4251,18 @@ msgstr ""
#~ msgid "See <0>{tag}0> posts by this user"
#~ msgstr ""
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr ""
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Ver lo que sigue"
+#~ msgid "See what's next"
+#~ msgstr "Ver lo que sigue"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4246,7 +4301,7 @@ msgstr ""
msgid "Select some accounts below to follow"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4278,7 +4333,7 @@ msgstr "Selecciona qué idiomas quieres que incluyan tus canales de noticias sus
msgid "Select your app language for the default text to display in the app."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4316,13 +4371,13 @@ msgctxt "action"
msgid "Send Email"
msgstr "Enviar el mensaje"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Enviar comentarios"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr ""
@@ -4416,23 +4471,23 @@ msgstr ""
msgid "Sets Bluesky username"
msgstr ""
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr ""
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr ""
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr ""
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr ""
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr ""
@@ -4462,10 +4517,10 @@ msgstr ""
#~ msgstr ""
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Configuraciones"
@@ -4484,21 +4539,21 @@ msgstr ""
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Compartir"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Compartir las noticias"
@@ -4515,7 +4570,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Mostrar"
@@ -4545,9 +4600,9 @@ msgstr ""
msgid "Show follows similar to {0}"
msgstr ""
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr ""
@@ -4604,7 +4659,7 @@ msgstr ""
msgid "Show the content"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Mostrar usuarios"
@@ -4624,24 +4679,24 @@ msgstr ""
msgid "Shows posts from {0} in your feed"
msgstr ""
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Iniciar sesión"
@@ -4659,28 +4714,36 @@ msgstr "Iniciar sesión como {0}"
msgid "Sign in as..."
msgstr "Iniciar sesión como ..."
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "Iniciar sesión en"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Cerrar sesión"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Inscribirse"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Regístrate o inicia sesión para unirte a la conversación"
@@ -4689,7 +4752,7 @@ msgstr "Regístrate o inicia sesión para unirte a la conversación"
msgid "Sign-in Required"
msgstr "Se requiere iniciar sesión"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Se inició sesión como"
@@ -4725,7 +4788,7 @@ msgstr ""
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr ""
@@ -4737,7 +4800,7 @@ msgstr ""
#~ msgid "Something went wrong. Check your email and try again."
#~ msgstr ""
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr ""
@@ -4773,11 +4836,11 @@ msgstr "Cuadrado"
#~ msgid "Staging"
#~ msgstr "Puesta en escena"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Página de estado"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4785,12 +4848,12 @@ msgstr ""
#~ msgid "Step {0} of {numSteps}"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr ""
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Libro de cuentos"
@@ -4799,15 +4862,15 @@ msgstr "Libro de cuentos"
msgid "Submit"
msgstr "Enviar"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Suscribirse"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4816,15 +4879,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Suscribirse a esta lista"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Usuarios sugeridos a seguir"
@@ -4851,19 +4914,19 @@ msgstr "Soporte"
msgid "Switch Account"
msgstr "Cambiar a otra cuenta"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr ""
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr ""
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Bitácora del sistema"
@@ -4897,9 +4960,9 @@ msgstr "Condiciones"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Condiciones de servicio"
@@ -4917,7 +4980,7 @@ msgstr ""
msgid "Text input field"
msgstr "Campo de introducción de texto"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr ""
@@ -4925,11 +4988,11 @@ msgstr ""
msgid "That contains the following:"
msgstr ""
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "La cuenta podrá interactuar contigo tras el desbloqueo."
@@ -4979,8 +5042,8 @@ msgstr "Las condiciones de servicio se han trasladado a"
msgid "There are many feeds to try:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr ""
@@ -4988,15 +5051,15 @@ msgstr ""
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr ""
@@ -5019,12 +5082,12 @@ msgstr ""
msgid "There was an issue fetching the list. Tap here to try again."
msgstr ""
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr ""
@@ -5050,10 +5113,10 @@ msgstr ""
msgid "There was an issue! {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr ""
@@ -5118,9 +5181,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Este canal de noticias está recibiendo mucho tráfico y no está disponible temporalmente. Vuelve a intentarlo más tarde."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr ""
@@ -5140,7 +5203,7 @@ msgstr "Esto es importante por si alguna vez necesitas cambiar tu correo electr
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -5148,7 +5211,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr "Este enlace te lleva al siguiente sitio web:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr ""
@@ -5164,12 +5227,12 @@ msgstr ""
msgid "This post has been deleted."
msgstr "Esta publicación ha sido eliminada."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr ""
@@ -5234,12 +5297,12 @@ msgstr ""
#~ msgid "This will hide this post from your feeds."
#~ msgstr "Esto ocultará esta entrada de tus contenidos."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr ""
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Preferencias de hilos"
@@ -5267,14 +5330,18 @@ msgstr "Conmutar el menú desplegable"
msgid "Toggle to enable or disable adult content"
msgstr ""
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Transformaciones"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Traducir"
@@ -5287,11 +5354,11 @@ msgstr "Intentar nuevamente"
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Desbloquear una lista"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Desactivar la opción de silenciar la lista"
@@ -5299,15 +5366,15 @@ msgstr "Desactivar la opción de silenciar la lista"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "No se puede contactar con tu servicio. Comprueba tu conexión a Internet."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Desbloquear"
@@ -5321,7 +5388,7 @@ msgstr ""
msgid "Unblock Account"
msgstr "Desbloquear una cuenta"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr ""
@@ -5334,7 +5401,7 @@ msgid "Undo repost"
msgstr "Deshacer esta publicación"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr ""
@@ -5356,16 +5423,16 @@ msgstr ""
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "Lamentablemente, no cumples los requisitos para crear una cuenta."
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr ""
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr ""
@@ -5386,21 +5453,21 @@ msgstr ""
#~ msgid "Unmute all {tag} posts"
#~ msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Desactivar la opción de silenciar el hilo"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr ""
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Desanclar la lista de moderación"
@@ -5408,11 +5475,11 @@ msgstr "Desanclar la lista de moderación"
#~ msgid "Unsave"
#~ msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5440,20 +5507,20 @@ msgstr "Actualizando..."
msgid "Upload a text file to:"
msgstr "Carga un archivo de texto en:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5531,13 +5598,13 @@ msgstr ""
msgid "User list by {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr ""
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr ""
@@ -5557,7 +5624,9 @@ msgstr "Listas de usuarios"
msgid "Username or email address"
msgstr "Nombre de usuario o dirección de correo electrónico"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Usuarios"
@@ -5585,15 +5654,15 @@ msgstr ""
msgid "Verify {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "Verificar el correo electrónico"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Verificar mi correo electrónico"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Verificar mi correo electrónico"
@@ -5606,7 +5675,7 @@ msgstr "Verificar el correo electrónico nuevo"
msgid "Verify Your Email"
msgstr ""
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5622,11 +5691,11 @@ msgstr ""
msgid "View debug entry"
msgstr "Ver entrada de depuración"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr ""
@@ -5638,6 +5707,8 @@ msgstr ""
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr ""
@@ -5650,7 +5721,7 @@ msgstr "Ver el avatar"
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5730,11 +5801,11 @@ msgstr ""
msgid "We'll use this to help customize your experience."
msgstr ""
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "¡Nos hace mucha ilusión que te unas a nosotros!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr ""
@@ -5742,7 +5813,7 @@ msgstr ""
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr ""
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Lo sentimos, pero no se ha podido completar tu búsqueda. Vuelve a intentarlo dentro de unos minutos."
@@ -5751,7 +5822,7 @@ msgstr "Lo sentimos, pero no se ha podido completar tu búsqueda. Vuelve a inten
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Lo sentimos. No encontramos la página que buscabas."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5767,8 +5838,8 @@ msgstr ""
#~ msgid "What is the issue with this {collectionName}?"
#~ msgstr "¿Cuál es el problema con esta {collectionName}?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "¿Qué hay de nuevo?"
@@ -5875,15 +5946,15 @@ msgstr ""
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "¡Aún no tienes códigos de invitación! Te enviaremos algunos cuando lleves un poco más de tiempo en Bluesky."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "No tienes ninguna noticia anclada."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "¡No tienes ninguna noticia guardada!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "No tienes ninguna noticia guardada."
@@ -5925,16 +5996,16 @@ msgstr ""
#~ msgid "You have muted this user."
#~ msgstr ""
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "No tienes noticias."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "No tienes listas."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
@@ -5946,7 +6017,7 @@ msgstr ""
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Aún no has creado ninguna contraseña de aplicación. Puedes crear una pulsando el botón de abajo."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
@@ -5974,15 +6045,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr ""
@@ -6013,7 +6084,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr ""
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Tu cuenta"
@@ -6025,7 +6096,7 @@ msgstr ""
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "Tu fecha de nacimiento"
@@ -6059,7 +6130,7 @@ msgstr "Tu correo electrónico aún no ha sido verificado. Este es un paso de se
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Tu identificador completo será"
@@ -6091,7 +6162,7 @@ msgstr ""
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Tus publicaciones, Me gustas y bloqueos son públicos. Las cuentas silenciadas son privadas."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Tu perfil"
@@ -6099,6 +6170,6 @@ msgstr "Tu perfil"
msgid "Your reply has been published"
msgstr ""
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Tu identificador del usuario"
diff --git a/src/locale/locales/fi/messages.po b/src/locale/locales/fi/messages.po
index d5ff67405d..527361e401 100644
--- a/src/locale/locales/fi/messages.po
+++ b/src/locale/locales/fi/messages.po
@@ -21,6 +21,7 @@ msgstr "(ei sähköpostiosoitetta)"
#~ msgid "{0, plural, one {# invite code available} other {# invite codes available}}"
#~ msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} seurattua"
@@ -39,7 +40,7 @@ msgstr "{following} seurattua"
#~ msgid "{invitesAvailable} invite codes available"
#~ msgstr ""
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} lukematonta"
@@ -51,15 +52,20 @@ msgstr "<0/> jäsentä"
msgid "<0>{0}0> following"
msgstr "<0>{0}0> seurattua"
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>seurattua1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Valitse0><1>Suositellut1><2>syötteet2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Seuraa joitakin0><1>suositeltuja1><2>käyttäjiä2>"
@@ -67,7 +73,7 @@ msgstr "<0>Seuraa joitakin0><1>suositeltuja1><2>käyttäjiä2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Tervetuloa0><1>Blueskyhin1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Virheellinen käyttäjätunnus"
@@ -80,16 +86,16 @@ msgstr "⚠Virheellinen käyttäjätunnus"
#~ msgstr "Sovelluksen uusi versio on saatavilla. Päivitä jatkaaksesi sovelluksen käyttöä."
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Siirry navigointilinkkeihin ja asetuksiin"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Siirry profiiliin ja muihin navigointilinkkeihin"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Saavutettavuus"
@@ -98,8 +104,8 @@ msgid "account"
msgstr "käyttäjätili"
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Käyttäjätili"
@@ -149,7 +155,7 @@ msgstr "Käyttäjätilin hiljennys poistettu"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Lisää"
@@ -157,13 +163,13 @@ msgstr "Lisää"
msgid "Add a content warning"
msgstr "Lisää sisältövaroitus"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Lisää käyttäjä tähän listaan"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Lisää käyttäjätili"
@@ -253,11 +259,11 @@ msgid "Adult content is disabled."
msgstr "Aikuissisältö on estetty"
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Edistyneemmät"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "Kaikki tallentamasi syötteet yhdessä paikassa."
@@ -294,6 +300,8 @@ msgstr "Sähköposti on lähetetty aiempaan osoitteeseesi, {0}. Siinä on vahvis
msgid "An issue not included in these options"
msgstr "Ongelma, jota ei ole sisällytetty näihin vaihtoehtoihin"
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -301,7 +309,7 @@ msgstr "Ongelma, jota ei ole sisällytetty näihin vaihtoehtoihin"
msgid "An issue occurred, please try again."
msgstr "Tapahtui virhe, yritä uudelleen."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "ja"
@@ -330,7 +338,7 @@ msgstr "Sovelluksen salasanan nimet voivat sisältää vain kirjaimia, numeroita
msgid "App Password names must be at least 4 characters long."
msgstr "Sovelluksen salasanojen nimien on oltava vähintään 4 merkkiä pitkiä."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "Sovelluksen salasanan asetukset"
@@ -340,7 +348,7 @@ msgstr "Sovelluksen salasanan asetukset"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Sovellussalasanat"
@@ -373,7 +381,7 @@ msgstr "Valitus jätetty."
#~ msgid "Appeal this decision."
#~ msgstr "Valita tästä päätöksestä."
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Ulkonäkö"
@@ -409,7 +417,7 @@ msgstr "Taide"
msgid "Artistic or non-erotic nudity."
msgstr "Taiteellinen tai ei-eroottinen alastomuus."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -424,7 +432,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Takaisin"
@@ -438,7 +446,7 @@ msgstr "Takaisin"
msgid "Based on your interest in {interestsText}"
msgstr "Perustuen kiinnostukseesi {interestsText}"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Perusasiat"
@@ -446,11 +454,11 @@ msgstr "Perusasiat"
msgid "Birthday"
msgstr "Syntymäpäivä"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Syntymäpäivä:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr "Estä"
@@ -464,16 +472,16 @@ msgstr "Estä käyttäjä"
msgid "Block Account?"
msgstr "Estä käyttäjätili?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Estä käyttäjätilit"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Estettyjen lista"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "Estetäänkö nämä käyttäjät?"
@@ -482,7 +490,7 @@ msgstr "Estetäänkö nämä käyttäjät?"
#~ msgstr "Estä tämä lista"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Estetty"
@@ -491,7 +499,7 @@ msgid "Blocked accounts"
msgstr "Estetyt käyttäjät"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Estetyt käyttäjät"
@@ -499,7 +507,7 @@ msgstr "Estetyt käyttäjät"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Estetyt käyttäjät eivät voi vastata viesteihisi, mainita sinua tai muuten olla vuorovaikutuksessa kanssasi."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Estetyt käyttäjät eivät voi vastata viesteihisi, mainita sinua tai muuten olla vuorovaikutuksessa kanssasi. Et näe heidän sisältöään ja he eivät näe sinun sisältöäsi."
@@ -507,11 +515,11 @@ msgstr "Estetyt käyttäjät eivät voi vastata viesteihisi, mainita sinua tai m
msgid "Blocked post."
msgstr "Estetty viesti."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr "Estäminen ei estä tätä merkitsijää asettamasta merkintöjä tilillesi."
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Estäminen on julkista. Estetyt käyttäjät eivät voi vastata viesteihisi, mainita sinua tai muuten olla vuorovaikutuksessa kanssasi."
@@ -519,12 +527,10 @@ msgstr "Estäminen on julkista. Estetyt käyttäjät eivät voi vastata viesteih
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr "Estäminen ei estä merkintöjen tekemistä tilillesi, mutta se estää kyseistä tiliä vastaamasta ketjuissasi tai muuten vuorovaikuttamasta kanssasi."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blogi"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -577,8 +583,7 @@ msgstr "Kirjat"
#~ msgid "Build version {0} {1}"
#~ msgstr "Versio {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Yritys"
@@ -640,7 +645,7 @@ msgstr "Voi sisältää vain kirjaimia, numeroita, välilyöntejä, viivoja ja a
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Peruuta"
@@ -690,17 +695,17 @@ msgstr "Peruuttaa linkitetyn verkkosivuston avaamisen"
msgid "Change"
msgstr "Vaihda"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Vaihda"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Vaihda käyttäjätunnus"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Vaihda käyttäjätunnus"
@@ -708,12 +713,12 @@ msgstr "Vaihda käyttäjätunnus"
msgid "Change my email"
msgstr "Vaihda sähköpostiosoitteeni"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Vaihda salasana"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Vaihda salasana"
@@ -734,11 +739,11 @@ msgstr "Vaihda sähköpostiosoitteesi"
msgid "Check my status"
msgstr "Tarkista tilani"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Katso joitakin suositeltuja syötteitä. Napauta + lisätäksesi ne kiinnitettyjen syötteiden luetteloon."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Tutustu suositeltuihin käyttäjiin. Seuraa heitä löytääksesi samankaltaisia käyttäjiä."
@@ -775,36 +780,36 @@ msgstr "Valitse algoritmit, jotka ohjaavat kokemustasi mukautettujen syötteiden
msgid "Choose your main feeds"
msgstr "Valitse pääsyötteet"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Valitse salasanasi"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Tyhjennä kaikki vanhan tietomallin mukaiset tiedot"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Tyhjennä kaikki vanhan tietomallin tiedot (käynnistä uudelleen tämän jälkeen)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Tyhjennä kaikki tallennukset"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Tyhjennä kaikki tallennukset (käynnistä uudelleen tämän jälkeen)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Tyhjennä hakukysely"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr "Tyhjentää kaikki tallennustiedot"
@@ -816,7 +821,7 @@ msgstr "klikkaa tästä"
msgid "Click here to open tag menu for {tag}"
msgstr "Avaa tästä valikko aihetunnisteelle {tag}"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "Klikkaa tästä avataksesi valikon aihetunnisteelle #{tag}."
@@ -850,7 +855,7 @@ msgstr "Sulje kuva"
msgid "Close image viewer"
msgstr "Sulje kuvankatselu"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Sulje alanavigointi"
@@ -859,7 +864,7 @@ msgstr "Sulje alanavigointi"
msgid "Close this dialog"
msgstr "Sulje tämä valintaikkuna"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Sulkee alanavigaation"
@@ -875,7 +880,7 @@ msgstr "Sulkee editorin ja hylkää luonnoksen"
msgid "Closes viewer for header image"
msgstr "Sulkee kuvan katseluohjelman"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Pienentää käyttäjäluettelon annetulle ilmoitukselle"
@@ -896,7 +901,7 @@ msgstr "Yhteisöohjeet"
msgid "Complete onboarding and start using your account"
msgstr "Suorita käyttöönotto loppuun ja aloita käyttäjätilisi käyttö"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "Tee haaste loppuun"
@@ -976,7 +981,7 @@ msgstr "Vahvistuskoodi"
msgid "Connecting..."
msgstr "Yhdistetään..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Ota yhteyttä tukeen"
@@ -1030,8 +1035,8 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Jatka"
@@ -1044,7 +1049,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Jatka seuraavaan vaiheeseen"
@@ -1065,17 +1070,21 @@ msgstr "Ruoanlaitto"
msgid "Copied"
msgstr "Kopioitu"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Ohjelmiston versio kopioitu leikepöydälle"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "Kopioitu leikepöydälle"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Kopioi sovellussalasanan"
@@ -1088,12 +1097,17 @@ msgstr "Kopioi"
msgid "Copy {0}"
msgstr "Kopioi {0}"
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Kopioi listan linkki"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Kopioi julkaisun linkki"
@@ -1101,8 +1115,8 @@ msgstr "Kopioi julkaisun linkki"
#~ msgid "Copy link to profile"
#~ msgstr "Kopioi linkki profiiliin"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Kopioi viestin teksti"
@@ -1115,7 +1129,7 @@ msgstr "Tekijänoikeuskäytäntö"
msgid "Could not load feed"
msgstr "Syötettä ei voitu ladata"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "Listaa ei voitu ladata"
@@ -1123,31 +1137,34 @@ msgstr "Listaa ei voitu ladata"
#~ msgid "Country"
#~ msgstr "Maa"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Luo uusi käyttäjätili"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Luo uusi Bluesky-tili"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Luo käyttäjätili"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "Luo sovellussalasana"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Luo uusi käyttäjätili"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr "Luo raportti: {0}"
@@ -1181,7 +1198,7 @@ msgid "Custom domain"
msgstr "Mukautettu verkkotunnus"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "Yhteisön rakentamat mukautetut syötteet tuovat sinulle uusia kokemuksia ja auttavat löytämään mieluisaa sisältöä."
@@ -1193,8 +1210,8 @@ msgstr "Muokkaa ulkoisten sivustojen mediasisältöjen asetuksia"
#~ msgid "Danger Zone"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Tumma"
@@ -1202,15 +1219,15 @@ msgstr "Tumma"
msgid "Dark mode"
msgstr "Tumma ulkoasu"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Tumma teema"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1218,13 +1235,13 @@ msgstr ""
msgid "Debug panel"
msgstr "Vianetsintäpaneeli"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr "Poista"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Poista käyttäjätili"
@@ -1240,7 +1257,7 @@ msgstr "Poista sovellussalasana"
msgid "Delete app password?"
msgstr "Poista sovellussalasana"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Poista lista"
@@ -1252,24 +1269,24 @@ msgstr "Poista käyttäjätilini"
#~ msgid "Delete my account…"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Poista käyttäjätilini…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Poista viesti"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr "Poista tämä lista?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "Poista tämä viesti?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Poistettu"
@@ -1292,10 +1309,18 @@ msgstr "Kuvaus"
msgid "Did you want to say anything?"
msgstr "Haluatko sanoa jotain?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Himmeä"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1329,7 +1354,7 @@ msgstr "Löydä uusia mukautettuja syötteitä"
#~ msgid "Discover new feeds"
#~ msgstr ""
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "Löydä uusia syötteitä"
@@ -1349,7 +1374,7 @@ msgstr "DNS-paneeli"
msgid "Does not include nudity."
msgstr "Ei sisällä alastomuutta."
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1383,7 +1408,7 @@ msgstr "Verkkotunnus vahvistettu!"
msgid "Done"
msgstr "Valmis"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1466,7 +1491,7 @@ msgctxt "action"
msgid "Edit"
msgstr "Muokkaa"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr "Muokkaa profiilikuvaa"
@@ -1476,7 +1501,7 @@ msgstr "Muokkaa profiilikuvaa"
msgid "Edit image"
msgstr "Muokkaa kuvaa"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Muokkaa listan tietoja"
@@ -1485,8 +1510,8 @@ msgid "Edit Moderation List"
msgstr "Muokkaa moderaatiolistaa"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Muokkaa syötteitä"
@@ -1494,18 +1519,18 @@ msgstr "Muokkaa syötteitä"
msgid "Edit my profile"
msgstr "Muokkaa profiilia"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Muokkaa profiilia"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Muokkaa profiilia"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Muokkaa tallennettuja syötteitä"
@@ -1547,10 +1572,24 @@ msgstr "Sähköpostiosoite päivitetty"
msgid "Email verified"
msgstr "Sähköpostiosoite vahvistettu"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "Sähköpostiosoite:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Ota käyttöön vain {0}"
@@ -1593,7 +1632,7 @@ msgstr ""
msgid "Enabled"
msgstr "Käytössä"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Syötteen loppu"
@@ -1635,7 +1674,7 @@ msgstr "Syötä syntymäaikasi"
#~ msgstr "Syötä sähköpostiosoitteesi"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Syötä sähköpostiosoitteesi"
@@ -1659,7 +1698,7 @@ msgstr "Syötä käyttäjätunnuksesi ja salasanasi"
msgid "Error receiving captcha response."
msgstr "Virhe captcha-vastauksen vastaanottamisessa."
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Virhe:"
@@ -1700,8 +1739,8 @@ msgstr "Poistuu hakukyselyn kirjoittamisesta"
msgid "Expand alt text"
msgstr "Laajenna ALT-teksti"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Laajenna tai pienennä viesti johon olit vastaamassa"
@@ -1713,12 +1752,12 @@ msgstr "Selvästi tai mahdollisesti häiritsevä media."
msgid "Explicit sexual images."
msgstr "Selvästi seksuaalista kuvamateriaalia."
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "Vie tietoni"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "Vie tietoni"
@@ -1734,11 +1773,11 @@ msgstr "Ulkoiset mediat voivat sallia verkkosivustojen kerätä tietoja sinusta
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Ulkoisten mediasoittimien asetukset"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Ulkoisten mediasoittimien asetukset"
@@ -1751,12 +1790,12 @@ msgstr "Sovellussalasanan luominen epäonnistui."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "Listan luominen epäonnistui. Tarkista internetyhteytesi ja yritä uudelleen."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "Viestin poistaminen epäonnistui, yritä uudelleen"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Suositeltujen syötteiden lataaminen epäonnistui"
@@ -1772,7 +1811,7 @@ msgstr "Syöte"
msgid "Feed by {0}"
msgstr "Syöte käyttäjältä {0}"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Syöte ei ole käytettävissä"
@@ -1781,18 +1820,18 @@ msgstr "Syöte ei ole käytettävissä"
#~ msgstr "Syötteen asetukset"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Palaute"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Syötteet"
@@ -1804,11 +1843,11 @@ msgstr "Syötteet"
#~ msgid "Feeds are created by users and organizations. They offer you varied experiences and suggest content you may like using algorithms."
#~ msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Käyttäjät luovat syötteitä sisällön kuratointiin. Valitse joitakin syötteitä, jotka koet mielenkiintoisiksi."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Syötteet ovat käyttäjien rakentamia mukautettuja algoritmeja, jotka vaativat vain vähän koodaustaitoja. <0/> lisätietoa varten."
@@ -1834,11 +1873,11 @@ msgstr "Viimeistely"
msgid "Find accounts to follow"
msgstr "Etsi seurattavia tilejä"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Etsi käyttäjiä Bluesky-palvelusta"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Etsi käyttäjiä oikealla olevan hakutyökalun avulla"
@@ -1876,10 +1915,10 @@ msgid "Flip vertically"
msgstr "Käännä pystysuunnassa"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Seuraa"
@@ -1911,11 +1950,11 @@ msgstr ""
msgid "Follow selected accounts and continue to the next step"
msgstr "Seuraa valittuja tilejä ja siirry seuraavaan vaiheeseen"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Seuraa joitakin käyttäjiä aloittaaksesi. Suosittelemme sinulle lisää käyttäjiä sen perusteella, ketä pidät mielenkiintoisena."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "Seuraajina {0}"
@@ -1927,7 +1966,7 @@ msgstr "Seuratut käyttäjät"
msgid "Followed users only"
msgstr "Vain seuratut käyttäjät"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "seurasi sinua"
@@ -1936,7 +1975,7 @@ msgstr "seurasi sinua"
msgid "Followers"
msgstr "Seuraajat"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1947,15 +1986,15 @@ msgstr "Seurataan"
msgid "Following {0}"
msgstr "Seurataan {0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr "Seuratut -syötteen asetukset"
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "Seuratut -syötteen asetukset"
@@ -1963,7 +2002,7 @@ msgstr "Seuratut -syötteen asetukset"
msgid "Follows you"
msgstr "Seuraa sinua"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Seuraa sinua"
@@ -2009,7 +2048,7 @@ msgstr "Julkaisee usein ei-toivottua sisältöä"
msgid "From @{sanitizedAuthor}"
msgstr ""
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "Lähde: <0/>"
@@ -2033,7 +2072,7 @@ msgstr "Ilmeisiä lain tai käyttöehtojen rikkomuksia"
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Palaa takaisin"
@@ -2043,15 +2082,15 @@ msgstr "Palaa takaisin"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Palaa takaisin"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "Palaa edelliseen vaiheeseen"
@@ -2063,7 +2102,7 @@ msgstr "Palaa alkuun"
msgid "Go Home"
msgstr "Palaa alkuun"
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "Siirry @{queryMaybeHandle}"
@@ -2093,16 +2132,16 @@ msgstr "Aihetunniste"
#~ msgid "Hashtag: {tag}"
#~ msgstr "Aihetunniste: {tag}"
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr "Aihetunniste #{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "Ongelmia?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Ohje"
@@ -2131,17 +2170,17 @@ msgstr "Tässä on sovelluksesi salasana."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Piilota"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "Piilota"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Piilota viesti"
@@ -2150,11 +2189,11 @@ msgstr "Piilota viesti"
msgid "Hide the content"
msgstr "Piilota sisältö"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "Piilota tämä viesti?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Piilota käyttäjäluettelo"
@@ -2190,11 +2229,11 @@ msgstr "Hmm, vaikuttaa siltä, että tämän datan lataamisessa on ongelmia. Kat
msgid "Hmmmm, we couldn't load that moderation service."
msgstr "Hmm, emme pystyneet avaamaan kyseistä moderaatiopalvelua."
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Koti"
@@ -2244,11 +2283,11 @@ msgstr "Jos mitään ei ole valittu, sopii kaikenikäisille."
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr ""
@@ -2333,7 +2372,7 @@ msgstr "Syötä salasanasi"
msgid "Input your preferred hosting provider"
msgstr "Syötä haluamasi palveluntarjoaja"
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Syötä käyttäjätunnuksesi"
@@ -2377,8 +2416,7 @@ msgstr "Kutsukoodit: 1 saatavilla"
msgid "It shows posts from the people you follow as they happen."
msgstr "Se näyttää viestejä seuraamiltasi ihmisiltä reaaliajassa."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Työpaikat"
@@ -2411,11 +2449,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2435,7 +2473,7 @@ msgstr ""
msgid "Language selection"
msgstr "Kielen valinta"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Kielen asetukset"
@@ -2444,7 +2482,7 @@ msgstr "Kielen asetukset"
msgid "Language Settings"
msgstr "Kielen asetukset"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Kielet"
@@ -2452,6 +2490,10 @@ msgstr "Kielet"
#~ msgid "Last step!"
#~ msgstr "Viimeinen vaihe!"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr "Lue lisää"
@@ -2490,7 +2532,7 @@ msgstr "Poistuminen Blueskysta"
msgid "left to go."
msgstr "jäljellä."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "Legacy tietovarasto tyhjennetty, sinun on käynnistettävä sovellus uudelleen nyt."
@@ -2508,16 +2550,16 @@ msgstr "Aloitetaan!"
#~ msgid "Library"
#~ msgstr "Kirjasto"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Vaalea"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "Tykkää"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Tykkää tästä syötteestä"
@@ -2541,21 +2583,21 @@ msgstr "Tykännyt {0} {1}"
msgid "Liked by {count} {0}"
msgstr "Tykännyt {count} {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "Tykännyt {likeCount} {0}"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "tykkäsi mukautetusta syötteestäsi"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "tykkäsi viestistäsi"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Tykkäykset"
@@ -2571,7 +2613,7 @@ msgstr "Lista"
msgid "List Avatar"
msgstr "Listan kuvake"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Lista estetty"
@@ -2579,11 +2621,11 @@ msgstr "Lista estetty"
msgid "List by {0}"
msgstr "Listan on luonut {0}"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Lista poistettu"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Lista hiljennetty"
@@ -2591,20 +2633,20 @@ msgstr "Lista hiljennetty"
msgid "List Name"
msgstr "Listan nimi"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Listaa estosta poistetut"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Listaa hiljennyksestä poistetut"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Listat"
@@ -2617,10 +2659,10 @@ msgstr "Listat"
msgid "Load new notifications"
msgstr "Lataa uusia ilmoituksia"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Lataa uusia viestejä"
@@ -2671,7 +2713,7 @@ msgstr "Hallinnoi hiljennettyjä sanoja ja aihetunnisteita"
#~ msgid "May only contain letters and numbers"
#~ msgstr "Ei saa olla pidempi kuin 253 merkkiä"
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Media"
@@ -2684,7 +2726,7 @@ msgid "Mentioned users"
msgstr "Mainitut käyttäjät"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Valikko"
@@ -2698,10 +2740,10 @@ msgstr "Harhaanjohtava käyttäjätili"
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Moderointi"
@@ -2714,13 +2756,13 @@ msgstr "Moderaation yksityiskohdat"
msgid "Moderation list by {0}"
msgstr "Moderointilista käyttäjältä {0}"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "Moderointilista käyttäjältä <0/>"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Sinun moderointilistasi"
@@ -2741,7 +2783,7 @@ msgstr "Moderointilistat"
msgid "Moderation Lists"
msgstr "Moderointilistat"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Moderointiasetukset"
@@ -2758,7 +2800,7 @@ msgstr "Moderointityökalut"
msgid "Moderator has chosen to set a general warning on the content."
msgstr "Ylläpitäjä on asettanut yleisen varoituksen sisällölle."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr "Lisää"
@@ -2766,7 +2808,7 @@ msgstr "Lisää"
msgid "More feeds"
msgstr "Lisää syötteitä"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Lisää asetuksia"
@@ -2795,7 +2837,7 @@ msgstr "Hiljennä {truncatedTag}"
msgid "Mute Account"
msgstr "Hiljennä käyttäjä"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Hiljennä käyttäjät"
@@ -2815,12 +2857,12 @@ msgstr "Hiljennä vain aihetunnisteissa"
msgid "Mute in text & tags"
msgstr "Hiljennä tekstissä ja aihetunnisteissa"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Hiljennä lista"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "Hiljennä nämä käyttäjät?"
@@ -2836,13 +2878,13 @@ msgstr "Hiljennä tämä sana viesteissä ja aihetunnisteissa"
msgid "Mute this word in tags only"
msgstr "Hiljennä tämä sana vain aihetunnisteissa"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Hiljennä keskustelu"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "Hiljennä sanat ja aihetunnisteet"
@@ -2855,11 +2897,11 @@ msgid "Muted accounts"
msgstr "Hiljennetyt käyttäjät"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Hiljennetyt käyttäjätilit"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Hiljennettyjen käyttäjien viestit poistetaan syötteestäsi ja ilmoituksistasi. Hiljennykset ovat täysin yksityisiä."
@@ -2871,7 +2913,7 @@ msgstr "Hiljentäjä: \"{0}\""
msgid "Muted words & tags"
msgstr "Hiljennetyt sanat ja aihetunnisteet"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Hiljennys on yksityinen. Hiljennetyt käyttäjät voivat edelleen vuorovaikuttaa kanssasi, mutta et näe heidän viestejään tai saa ilmoituksia heiltä."
@@ -2880,7 +2922,7 @@ msgstr "Hiljennys on yksityinen. Hiljennetyt käyttäjät voivat edelleen vuorov
msgid "My Birthday"
msgstr "Syntymäpäiväni"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Omat syötteet"
@@ -2888,11 +2930,11 @@ msgstr "Omat syötteet"
msgid "My Profile"
msgstr "Profiilini"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr "Tallennetut syötteeni"
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "Tallennetut syötteeni"
@@ -2920,7 +2962,7 @@ msgid "Nature"
msgstr "Luonto"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Siirtyy seuraavalle näytölle"
@@ -2929,7 +2971,7 @@ msgstr "Siirtyy seuraavalle näytölle"
msgid "Navigates to your profile"
msgstr "Siirtyy profiiliisi"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr "Tarvitseeko ilmoittaa tekijänoikeusrikkomuksesta?"
@@ -2981,12 +3023,12 @@ msgctxt "action"
msgid "New post"
msgstr "Uusi viesti"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Uusi viesti"
@@ -3010,12 +3052,12 @@ msgstr "Uutiset"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3039,8 +3081,8 @@ msgstr "Seuraava kuva"
msgid "No"
msgstr "Ei"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Ei kuvausta"
@@ -3052,7 +3094,7 @@ msgstr ""
msgid "No longer following {0}"
msgstr "Et enää seuraa käyttäjää {0}"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -3069,13 +3111,13 @@ msgstr "Ei tuloksia"
msgid "No results found"
msgstr "Tuloksia ei löydetty"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "Ei tuloksia haulle \"{query}\""
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "Ei tuloksia haulle {query}"
@@ -3102,7 +3144,7 @@ msgid "Not Applicable."
msgstr "Ei sovellettavissa."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "Ei löytynyt"
@@ -3112,8 +3154,8 @@ msgid "Not right now"
msgstr "Ei juuri nyt"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -3121,13 +3163,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Huomio: Bluesky on avoin ja julkinen verkosto. Tämä asetus rajoittaa vain sisältösi näkyvyyttä Bluesky-sovelluksessa ja -sivustolla, eikä muut sovellukset ehkä kunnioita tässä asetuksissaan. Sisältösi voi silti näkyä uloskirjautuneille käyttäjille muissa sovelluksissa ja verkkosivustoilla."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Ilmoitukset"
@@ -3143,7 +3185,7 @@ msgstr ""
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr ""
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -3160,7 +3202,7 @@ msgid "Oh no! Something went wrong."
msgstr "Voi ei! Jokin meni pieleen."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr "OK"
@@ -3172,7 +3214,7 @@ msgstr "Selvä"
msgid "Oldest replies first"
msgstr "Vanhimmat vastaukset ensin"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Käyttöönoton nollaus"
@@ -3184,7 +3226,7 @@ msgstr "Yksi tai useampi kuva on ilman vaihtoehtoista Alt-tekstiä."
msgid "Only {0} can reply."
msgstr "Vain {0} voi vastata."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -3194,7 +3236,7 @@ msgstr ""
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Hups!"
@@ -3211,11 +3253,11 @@ msgstr "Avaa"
msgid "Open emoji picker"
msgstr "Avaa emoji-valitsin"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr "Avaa syötteen asetusvalikko"
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Avaa linkit sovelluksen sisäisellä selaimella"
@@ -3227,20 +3269,20 @@ msgstr "Avaa hiljennettyjen sanojen ja aihetunnisteiden asetukset"
#~ msgid "Open muted words settings"
#~ msgstr "Avaa hiljennettyjen sanojen asetukset"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Avaa navigointi"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Avaa storybook-sivu"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr "Avaa järjestelmäloki"
@@ -3252,7 +3294,7 @@ msgstr "Avaa {numItems} asetusta"
msgid "Opens additional details for a debug entry"
msgstr "Avaa debug lisätiedot"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "Avaa laajennetun listan tämän ilmoituksen käyttäjistä"
@@ -3264,7 +3306,7 @@ msgstr "Avaa laitteen kameran"
msgid "Opens composer"
msgstr "Avaa editorin"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Avaa mukautettavat kielen asetukset"
@@ -3276,19 +3318,17 @@ msgstr "Avaa laitteen valokuvat"
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr "Avaa editorin profiilin näyttönimeä, avataria, taustakuvaa ja kuvausta varten"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Avaa ulkoiset upotusasetukset"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr ""
@@ -3308,7 +3348,7 @@ msgstr ""
msgid "Opens list of invite codes"
msgstr "Avaa kutsukoodien luettelon"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
@@ -3316,19 +3356,19 @@ msgstr ""
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr "Avaa tilin poistovahvistuksen. Vaatii sähköpostikoodin."
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3336,7 +3376,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr "Avaa asetukset oman verkkotunnuksen käyttöönottoon"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Avaa moderointiasetukset"
@@ -3344,16 +3384,16 @@ msgstr "Avaa moderointiasetukset"
msgid "Opens password reset form"
msgstr "Avaa salasanan palautuslomakkeen"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Avaa näkymän tallennettujen syötteiden muokkaamiseen"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Avaa näkymän kaikkiin tallennettuihin syötteisiin"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr "Avaa sovelluksen salasanojen asetukset"
@@ -3361,7 +3401,7 @@ msgstr "Avaa sovelluksen salasanojen asetukset"
#~ msgid "Opens the app password settings page"
#~ msgstr "Avaa sovellussalasanojen asetukset"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr "Avaa Seuratut-syötteen asetukset"
@@ -3373,16 +3413,16 @@ msgstr "Avaa Seuratut-syötteen asetukset"
msgid "Opens the linked website"
msgstr "Avaa linkitetyn verkkosivun"
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Avaa storybook-sivun"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Avaa järjestelmän lokisivun"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Avaa keskusteluasetukset"
@@ -3390,7 +3430,7 @@ msgstr "Avaa keskusteluasetukset"
msgid "Option {0} of {numItems}"
msgstr "Asetus {0}/{numItems}"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr "Voit tarvittaessa antaa lisätietoja alla:"
@@ -3424,7 +3464,7 @@ msgid "Page Not Found"
msgstr "Sivua ei löytynyt"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3442,6 +3482,11 @@ msgstr "Salasana päivitetty"
msgid "Password updated!"
msgstr "Salasana päivitetty!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "Henkilöt, joita @{0} seuraa"
@@ -3470,16 +3515,16 @@ msgstr "Lemmikit"
msgid "Pictures meant for adults."
msgstr "Aikuisille tarkoitetut kuvat."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "Kiinnitä etusivulle"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr "Kiinnitä etusivulle"
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Kiinnitetyt syötteet"
@@ -3599,7 +3644,7 @@ msgstr "Lähettäjä {0}"
msgid "Post by @{0}"
msgstr "Lähettäjä @{0}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Viesti poistettu"
@@ -3634,7 +3679,8 @@ msgstr "Viestiä ei löydy"
msgid "posts"
msgstr "viestit"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Viestit"
@@ -3650,13 +3696,13 @@ msgstr "Piilotetut viestit"
msgid "Potentially Misleading Link"
msgstr "Mahdollisesti harhaanjohtava linkki"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr "Paina uudelleen jatkaaksesi"
@@ -3672,7 +3718,7 @@ msgstr "Ensisijainen kieli"
msgid "Prioritize Your Follows"
msgstr "Aseta seurattavat tärkeysjärjestykseen"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Yksityisyys"
@@ -3680,8 +3726,8 @@ msgstr "Yksityisyys"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Yksityisyydensuojakäytäntö"
@@ -3690,15 +3736,15 @@ msgid "Processing..."
msgstr "Käsitellään..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr "profiili"
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Profiili"
@@ -3706,7 +3752,7 @@ msgstr "Profiili"
msgid "Profile updated"
msgstr "Profiili päivitetty"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Suojaa käyttäjätilisi vahvistamalla sähköpostiosoitteesi."
@@ -3752,15 +3798,15 @@ msgstr "Satunnainen (tunnetaan myös nimellä \"Lähettäjän ruletti\")"
msgid "Ratios"
msgstr "Suhdeluvut"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr "Viimeaikaiset haut"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Suositellut syötteet"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Suositellut käyttäjät"
@@ -3781,7 +3827,7 @@ msgstr "Poista"
msgid "Remove account"
msgstr "Poista käyttäjätili"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr "Poista avatar"
@@ -3799,8 +3845,8 @@ msgstr "Poista syöte?"
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Poista syötteistäni"
@@ -3845,7 +3891,7 @@ msgstr "Poistettu listalta"
msgid "Removed from my feeds"
msgstr "Poistettu syötteistäni"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr "Poistettu syötteistäsi"
@@ -3853,7 +3899,7 @@ msgstr "Poistettu syötteistäsi"
msgid "Removes default thumbnail from {0}"
msgstr "Poistaa {0} oletuskuvakkeen"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Vastaukset"
@@ -3870,8 +3916,8 @@ msgstr "Vastaa"
msgid "Reply Filters"
msgstr "Vastaussuodattimet"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "Vastaa käyttäjälle <0/>"
@@ -3889,17 +3935,17 @@ msgstr "Ilmianna käyttäjätili"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Ilmianna syöte"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Ilmianna luettelo"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Ilmianna viesti"
@@ -3944,15 +3990,19 @@ msgstr "Uudelleenjaa tai lainaa viestiä"
msgid "Reposted By"
msgstr "Uudelleenjakanut"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "Uudelleenjakanut {0}"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "Uudelleenjakanut <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "Uudelleenjakanut <0/>"
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
+
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "uudelleenjakoi viestisi"
@@ -3974,7 +4024,7 @@ msgstr "Pyydä muutosta"
msgid "Request Code"
msgstr "Pyydä koodia"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Edellytä ALT-tekstiä ennen viestin julkaisua"
@@ -3994,8 +4044,8 @@ msgstr "Nollauskoodi"
#~ msgid "Reset onboarding"
#~ msgstr "Nollaa käyttöönotto"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Nollaa käyttöönoton tila"
@@ -4007,16 +4057,16 @@ msgstr "Nollaa salasana"
#~ msgid "Reset preferences"
#~ msgstr "Nollaa asetukset"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Nollaa asetusten tila"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Nollaa käyttöönoton tilan"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Nollaa asetusten tilan"
@@ -4035,7 +4085,7 @@ msgstr "Yrittää uudelleen viimeisintä toimintoa, joka epäonnistui"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
@@ -4046,7 +4096,7 @@ msgstr "Yritä uudelleen"
#~ msgstr "Yritä uudelleen."
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Palaa edelliselle sivulle"
@@ -4096,12 +4146,12 @@ msgstr "Tallenna käyttäjätunnuksen muutos"
msgid "Save image crop"
msgstr "Tallenna kuvan rajaus"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr "Tallenna syötteisiini"
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Tallennetut syötteet"
@@ -4109,7 +4159,7 @@ msgstr "Tallennetut syötteet"
msgid "Saved to your camera roll."
msgstr "Tallennettu kameraasi"
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr "Tallennettu syötteisiisi"
@@ -4129,28 +4179,28 @@ msgstr "Tallentaa kuvan rajausasetukset"
msgid "Science"
msgstr "Tiede"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Vieritä alkuun"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Haku"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "Haku hakusanalla \"{query}\""
@@ -4205,13 +4255,18 @@ msgstr "Näytä tämän käyttäjän <0>{displayTag}0> viestit"
#~ msgid "See <0>{tag}0> posts by this user"
#~ msgstr "Näytä tämän käyttäjän <0>{tag}0>-viestit"
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Katso tämä opas"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Katso, mitä seuraavaksi tapahtuu"
+#~ msgid "See what's next"
+#~ msgstr "Katso, mitä seuraavaksi tapahtuu"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4250,7 +4305,7 @@ msgstr "Valitse vaihtoehto {i} / {numItems}"
msgid "Select some accounts below to follow"
msgstr "Valitse alla olevista tileistä jotain seurattavaksi"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4282,7 +4337,7 @@ msgstr "Valitse, mitä kieliä haluat tilattujen syötteidesi sisältävän. Jos
msgid "Select your app language for the default text to display in the app."
msgstr "Valitse sovelluksen käyttöliittymän kieli."
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4320,13 +4375,13 @@ msgctxt "action"
msgid "Send Email"
msgstr "Lähetä sähköposti"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Lähetä palautetta"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr "Lähetä raportti"
@@ -4420,23 +4475,23 @@ msgstr "Luo käyttäjätili"
msgid "Sets Bluesky username"
msgstr "Asettaa Bluesky-käyttäjätunnuksen"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr "Muuttaa väriteeman tummaksi"
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr "Muuttaa väriteeman vaaleaksi"
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr "Muuttaa väriteeman käyttöjärjestelmän mukaiseksi"
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr "Muuttaa tumman väriteeman tummaksi"
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr "Asettaa tumman teeman himmeäksi teemaksi"
@@ -4466,10 +4521,10 @@ msgstr "Asettaa kuvan kuvasuhteen leveäksi"
#~ msgstr "Asettaa palvelimen Bluesky-ohjelmalle"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Asetukset"
@@ -4488,21 +4543,21 @@ msgstr "Jaa"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Jaa"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr "Jaa kuitenkin"
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Jaa syöte"
@@ -4519,7 +4574,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Näytä"
@@ -4549,9 +4604,9 @@ msgstr ""
msgid "Show follows similar to {0}"
msgstr "Näytä seurannat samankaltaisilta käyttäjiltä kuin {0}"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Näytä lisää"
@@ -4608,7 +4663,7 @@ msgstr "Näytä uudelleenjulkaisut seurattavissa"
msgid "Show the content"
msgstr "Näytä sisältö"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Näytä käyttäjät"
@@ -4628,24 +4683,24 @@ msgstr "Näytä varoitus ja suodata syötteistä"
msgid "Shows posts from {0} in your feed"
msgstr "Näyttää viestit käyttäjältä {0} syötteessäsi"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Kirjaudu sisään"
@@ -4663,28 +4718,36 @@ msgstr "Kirjaudu sisään nimellä {0}"
msgid "Sign in as..."
msgstr "Kirjaudu sisään nimellä..."
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "Kirjaudu sisään"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Kirjaudu ulos"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Rekisteröidy"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Rekisteröidy tai kirjaudu sisään liittyäksesi keskusteluun"
@@ -4693,7 +4756,7 @@ msgstr "Rekisteröidy tai kirjaudu sisään liittyäksesi keskusteluun"
msgid "Sign-in Required"
msgstr "Sisäänkirjautuminen vaaditaan"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Kirjautunut sisään nimellä"
@@ -4729,7 +4792,7 @@ msgstr "Ohjelmistokehitys"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr "Jotain meni pieleen, yritä uudelleen"
@@ -4737,7 +4800,7 @@ msgstr "Jotain meni pieleen, yritä uudelleen"
#~ msgid "Something went wrong. Check your email and try again."
#~ msgstr "Jotain meni pieleen. Tarkista sähköpostisi ja yritä uudelleen."
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "Pahoittelut! Istuntosi on vanhentunut. Kirjaudu sisään uudelleen."
@@ -4773,11 +4836,11 @@ msgstr "Neliö"
#~ msgid "Staging"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Tilasivu"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4785,12 +4848,12 @@ msgstr ""
#~ msgid "Step {0} of {numSteps}"
#~ msgstr "Vaihe {0}/{numSteps}"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "Tallennustila tyhjennetty, sinun on käynnistettävä sovellus uudelleen."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Storybook"
@@ -4799,15 +4862,15 @@ msgstr "Storybook"
msgid "Submit"
msgstr "Lähetä"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Tilaa"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4816,15 +4879,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr "Tilaa {0}-syöte"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Tilaa tämä lista"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Mahdollisia seurattavia"
@@ -4851,19 +4914,19 @@ msgstr "Tuki"
msgid "Switch Account"
msgstr "Vaihda käyttäjätiliä"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "Vaihda käyttäjään {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Vaihtaa sisäänkirjautuneen käyttäjän tilin"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "Järjestelmä"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Järjestelmäloki"
@@ -4897,9 +4960,9 @@ msgstr "Ehdot"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Käyttöehdot"
@@ -4917,7 +4980,7 @@ msgstr "teksti"
msgid "Text input field"
msgstr "Tekstikenttä"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr "Kiitos. Raporttisi on lähetetty."
@@ -4925,11 +4988,11 @@ msgstr "Kiitos. Raporttisi on lähetetty."
msgid "That contains the following:"
msgstr "Se sisältää seuraavaa:"
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "Tuo käyttätunnus on jo käytössä."
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "Käyttäjä voi olla vuorovaikutuksessa kanssasi, kun poistat eston."
@@ -4979,8 +5042,8 @@ msgstr "Käyttöehdot on siirretty kohtaan"
msgid "There are many feeds to try:"
msgstr "On monia syötteitä kokeiltavaksi:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Emme saaneet yhteyttä palvelimeen, tarkista internetyhteytesi ja yritä uudelleen."
@@ -4988,15 +5051,15 @@ msgstr "Emme saaneet yhteyttä palvelimeen, tarkista internetyhteytesi ja yritä
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Syötteen poistossa on ongelmia. Tarkista internetyhteytesi ja yritä uudelleen."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Syötteiden päivittämisessä on ongelmia, tarkista internetyhteytesi ja yritä uudelleen."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "Yhteydenotto palvelimeen epäonnistui"
@@ -5019,12 +5082,12 @@ msgstr "Ongelma viestien hakemisessa. Napauta tästä yrittääksesi uudelleen."
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Ongelma listan hakemisessa. Napauta tästä yrittääksesi uudelleen."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Ongelma listojesi hakemisessa. Napauta tästä yrittääksesi uudelleen."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr "Raportin lähettämisessä ilmeni ongelma. Tarkista internet-yhteytesi."
@@ -5050,10 +5113,10 @@ msgstr "Sovellussalasanojen hakemisessa tapahtui virhe"
msgid "There was an issue! {0}"
msgstr "Ilmeni ongelma! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Ilmeni joku ongelma. Tarkista internet-yhteys ja yritä uudelleen."
@@ -5118,9 +5181,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Tämä syöte saa tällä hetkellä paljon liikennettä ja on tilapäisesti pois käytöstä. Yritä uudelleen myöhemmin."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Tämä syöte on tyhjä!"
@@ -5140,7 +5203,7 @@ msgstr "Tämä on tärkeää, jos sinun tarvitsee vaihtaa sähköpostiosoitteesi
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -5148,7 +5211,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr "Tämä linkki vie sinut tälle verkkosivustolle:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "Tämä lista on tyhjä!"
@@ -5164,12 +5227,12 @@ msgstr "Tämä nimi on jo käytössä"
msgid "This post has been deleted."
msgstr "Tämä viesti on poistettu."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr "Tämä julkaisu on näkyvissä vain kirjautuneille käyttäjille. Sitä ei näytetä kirjautumattomille henkilöille."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr "Tämä julkaisu piilotetaan syötteistä."
@@ -5234,12 +5297,12 @@ msgstr "Tämä poistaa {0}:n hiljennetyistä sanoistasi. Voit lisätä sen takai
#~ msgid "This will hide this post from your feeds."
#~ msgstr "Tämä piilottaa tämän viestin syötteistäsi."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr "Keskusteluketjun asetukset"
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Keskusteluketjun asetukset"
@@ -5267,14 +5330,18 @@ msgstr "Vaihda pudotusvalikko"
msgid "Toggle to enable or disable adult content"
msgstr "Vaihda ottaaksesi käyttöön tai poistaaksesi käytöstä aikuisille tarkoitettu sisältö."
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Muutokset"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Käännä"
@@ -5287,11 +5354,11 @@ msgstr "Yritä uudelleen"
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Poista listan esto"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Poista listan hiljennys"
@@ -5299,15 +5366,15 @@ msgstr "Poista listan hiljennys"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "Yhteys palveluusi ei onnistu. Tarkista internet-yhteytesi."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Poista esto"
@@ -5321,7 +5388,7 @@ msgstr "Poista esto"
msgid "Unblock Account"
msgstr "Poista käyttäjätilin esto"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr "Poista esto?"
@@ -5334,7 +5401,7 @@ msgid "Undo repost"
msgstr "Kumoa uudelleenjako"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr "Älä seuraa"
@@ -5356,16 +5423,16 @@ msgstr "Lopeta käyttäjätilin seuraaminen"
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "Valitettavasti et täytä tilin luomisen vaatimuksia."
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "En tykkää"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr "Poista tykkäys tästä syötteestä"
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Poista hiljennys"
@@ -5386,21 +5453,21 @@ msgstr "Poista hiljennys kaikista {displayTag}-julkaisuista"
#~ msgid "Unmute all {tag} posts"
#~ msgstr "Poista hiljennys kaikista {tag}-viesteistä"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Poista keskusteluketjun hiljennys"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Poista kiinnitys"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr "Poista kiinnitys etusivulta"
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Poista moderointilistan kiinnitys"
@@ -5408,11 +5475,11 @@ msgstr "Poista moderointilistan kiinnitys"
#~ msgid "Unsave"
#~ msgstr "Poista tallennus"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr "Peruuta tilaus"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5440,20 +5507,20 @@ msgstr "Päivitetään..."
msgid "Upload a text file to:"
msgstr "Lataa tekstitiedosto kohteeseen:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr "Lataa kamerasta"
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr "Lataa tiedostoista"
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5531,13 +5598,13 @@ msgstr "Käyttäjä on estänyt sinut"
msgid "User list by {0}"
msgstr "Käyttäjälistan on tehnyt {0}"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "Käyttäjälistan on tehnyt <0/>"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "Käyttäjälistasi"
@@ -5557,7 +5624,9 @@ msgstr "Käyttäjälistat"
msgid "Username or email address"
msgstr "Käyttäjätunnus tai sähköpostiosoite"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Käyttäjät"
@@ -5585,15 +5654,15 @@ msgstr ""
msgid "Verify {0}"
msgstr "Vahvista {0}"
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "Varmista sähköposti"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Vahvista sähköpostini"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Vahvista sähköpostini"
@@ -5606,7 +5675,7 @@ msgstr "Vahvista uusi sähköposti"
msgid "Verify Your Email"
msgstr "Vahvista sähköpostisi"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5622,11 +5691,11 @@ msgstr "Katso {0}:n avatar"
msgid "View debug entry"
msgstr "Katso vianmääritystietue"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr "Näytä tiedot"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr "Näytä tiedot tekijänoikeusrikkomuksen ilmoittamisesta"
@@ -5638,6 +5707,8 @@ msgstr "Katso koko keskusteluketju"
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Katso profiilia"
@@ -5650,7 +5721,7 @@ msgstr "Katso avatar"
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5730,11 +5801,11 @@ msgstr "Ilmoitamme sinulle, kun käyttäjätilisi on valmis."
msgid "We'll use this to help customize your experience."
msgstr "Käytämme tätä mukauttaaksemme kokemustasi."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Olemme innoissamme, että liityt joukkoomme!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Pahoittelemme, emme saaneet avattua tätä listaa. Jos ongelma jatkuu, ota yhteyttä listan tekijään: @{handleOrDid}."
@@ -5742,7 +5813,7 @@ msgstr "Pahoittelemme, emme saaneet avattua tätä listaa. Jos ongelma jatkuu, o
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "Pahoittelemme, emme pystyneet lataamaan hiljennettyjä sanojasi tällä hetkellä. Yritä uudelleen."
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Pahoittelemme, hakuasi ei voitu suorittaa loppuun. Yritä uudelleen muutaman minuutin kuluttua."
@@ -5751,7 +5822,7 @@ msgstr "Pahoittelemme, hakuasi ei voitu suorittaa loppuun. Yritä uudelleen muut
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Pahoittelut! Emme löydä etsimääsi sivua."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5767,8 +5838,8 @@ msgstr "Mitkä ovat kiinnostuksenkohteesi?"
#~ msgid "What is the issue with this {collectionName}?"
#~ msgstr "Mikä on ongelma tämän {collectionName} kanssa?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "Mitä kuuluu?"
@@ -5875,15 +5946,15 @@ msgstr "Sinulla ei ole kyhtään seuraajaa."
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "Sinulla ei ole vielä kutsukoodia! Lähetämme sinulle sellaisen, kun olet ollut Bluesky-palvelussa hieman pidempään."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "Sinulla ei ole kiinnitettyjä syötteitä."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "Sinulla ei ole tallennettuja syötteitä!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "Sinulla ei ole tallennettuja syötteitä."
@@ -5925,16 +5996,16 @@ msgstr ""
#~ msgid "You have muted this user."
#~ msgstr "Olet hiljentänyt tämän käyttäjän."
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "Sinulla ei ole syötteitä."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "Sinulla ei ole listoja."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
@@ -5946,7 +6017,7 @@ msgstr ""
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Et ole vielä luonut yhtään sovelluksen salasanaa. Voit luoda sellaisen painamalla alla olevaa painiketta."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
@@ -5974,15 +6045,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "Sinun on oltava vähintään 18-vuotias katsoaksesi aikuissisältöä"
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Et enää saa ilmoituksia tästä keskustelusta"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Saat nyt ilmoituksia tästä keskustelusta"
@@ -6013,7 +6084,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Olet saavuttanut syötteesi lopun! Etsi lisää käyttäjiä seurattavaksi."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Käyttäjätilisi"
@@ -6025,7 +6096,7 @@ msgstr "Käyttäjätilisi on poistettu"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "Käyttäjätilisi arkisto, joka sisältää kaikki julkiset tietueet, voidaan ladata \"CAR\"-tiedostona. Tämä tiedosto ei sisällä upotettuja mediaelementtejä, kuten kuvia, tai yksityisiä tietojasi, jotka on haettava erikseen."
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "Syntymäaikasi"
@@ -6059,7 +6130,7 @@ msgstr "Sähköpostiosoitettasi ei ole vielä vahvistettu. Tämä on tärkeä tu
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Seuraamiesi syöte on tyhjä! Seuraa lisää käyttäjiä nähdäksesi, mitä tapahtuu."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Käyttäjätunnuksesi tulee olemaan"
@@ -6091,7 +6162,7 @@ msgstr "Viestisi on julkaistu"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Julkaisusi, tykkäyksesi ja estosi ovat julkisia. Hiljennykset ovat yksityisiä."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Profiilisi"
@@ -6099,6 +6170,6 @@ msgstr "Profiilisi"
msgid "Your reply has been published"
msgstr "Vastauksesi on julkaistu"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Käyttäjätunnuksesi"
diff --git a/src/locale/locales/fr/messages.po b/src/locale/locales/fr/messages.po
index 898ee589cc..a8402fe505 100644
--- a/src/locale/locales/fr/messages.po
+++ b/src/locale/locales/fr/messages.po
@@ -17,11 +17,12 @@ msgstr ""
msgid "(no email)"
msgstr "(pas d’e-mail)"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} abonnements"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} non lus"
@@ -33,15 +34,20 @@ msgstr "<0/> membres"
msgid "<0>{0}0> following"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>abonnements1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Choisissez vos0><1>fils d’actu1><2>recommandés2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Suivre certains0><1>comptes1><2>recommandés2>"
@@ -49,7 +55,7 @@ msgstr "<0>Suivre certains0><1>comptes1><2>recommandés2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Bienvenue sur0><1>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Pseudo invalide"
@@ -62,16 +68,16 @@ msgstr "⚠Pseudo invalide"
#~ msgstr "Une nouvelle version de l’application est disponible. Veuillez faire la mise à jour pour continuer à utiliser l’application."
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Accède aux liens de navigation et aux paramètres"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Accède au profil et aux autres liens de navigation"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Accessibilité"
@@ -80,8 +86,8 @@ msgid "account"
msgstr ""
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Compte"
@@ -131,7 +137,7 @@ msgstr "Compte démasqué"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Ajouter"
@@ -139,13 +145,13 @@ msgstr "Ajouter"
msgid "Add a content warning"
msgstr "Ajouter un avertissement sur le contenu"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Ajouter un compte à cette liste"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Ajouter un compte"
@@ -231,11 +237,11 @@ msgid "Adult content is disabled."
msgstr ""
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Avancé"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "Tous les fils d’actu que vous avez enregistrés, au même endroit."
@@ -272,6 +278,8 @@ msgstr "Un courriel a été envoyé à votre ancienne adresse, {0}. Il comprend
msgid "An issue not included in these options"
msgstr ""
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -279,7 +287,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr "Un problème est survenu, veuillez réessayer."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "et"
@@ -308,13 +316,13 @@ msgstr "Les noms de mots de passe d’application ne peuvent contenir que des le
msgid "App Password names must be at least 4 characters long."
msgstr "Les noms de mots de passe d’application doivent comporter au moins 4 caractères."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "Paramètres de mot de passe d’application"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Mots de passe d’application"
@@ -348,7 +356,7 @@ msgstr ""
#~ msgid "Appeal this decision."
#~ msgstr "Faire appel de cette décision."
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Affichage"
@@ -384,7 +392,7 @@ msgstr "Art"
msgid "Artistic or non-erotic nudity."
msgstr "Nudité artistique ou non érotique."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -399,7 +407,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Arrière"
@@ -413,7 +421,7 @@ msgstr "Arrière"
msgid "Based on your interest in {interestsText}"
msgstr "En fonction de votre intérêt pour {interestsText}"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Principes de base"
@@ -421,11 +429,11 @@ msgstr "Principes de base"
msgid "Birthday"
msgstr "Date de naissance"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Date de naissance :"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr ""
@@ -439,16 +447,16 @@ msgstr "Bloquer ce compte"
msgid "Block Account?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Bloquer ces comptes"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Liste de blocage"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "Bloquer ces comptes ?"
@@ -457,7 +465,7 @@ msgstr "Bloquer ces comptes ?"
#~ msgstr "Bloquer cette liste"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Bloqué"
@@ -466,7 +474,7 @@ msgid "Blocked accounts"
msgstr "Comptes bloqués"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Comptes bloqués"
@@ -474,7 +482,7 @@ msgstr "Comptes bloqués"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Les comptes bloqués ne peuvent pas répondre à vos discussions, vous mentionner ou interagir avec vous."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Les comptes bloqués ne peuvent pas répondre à vos discussions, vous mentionner ou interagir avec vous. Vous ne verrez pas leur contenu et ils ne pourront pas voir le vôtre."
@@ -482,11 +490,11 @@ msgstr "Les comptes bloqués ne peuvent pas répondre à vos discussions, vous m
msgid "Blocked post."
msgstr "Post bloqué."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr ""
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Le blocage est public. Les comptes bloqués ne peuvent pas répondre à vos discussions, vous mentionner ou interagir avec vous."
@@ -494,12 +502,10 @@ msgstr "Le blocage est public. Les comptes bloqués ne peuvent pas répondre à
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blog"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -544,8 +550,7 @@ msgstr "Livres"
#~ msgid "Build version {0} {1}"
#~ msgstr "Version Build {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Affaires"
@@ -603,7 +608,7 @@ msgstr "Ne peut contenir que des lettres, des chiffres, des espaces, des tirets
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Annuler"
@@ -649,17 +654,17 @@ msgstr ""
msgid "Change"
msgstr ""
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Modifier"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Modifier le pseudo"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Modifier le pseudo"
@@ -667,12 +672,12 @@ msgstr "Modifier le pseudo"
msgid "Change my email"
msgstr "Modifier mon e-mail"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Modifier le mot de passe"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Modifier le mot de passe"
@@ -693,11 +698,11 @@ msgstr "Modifier votre e-mail"
msgid "Check my status"
msgstr "Vérifier mon statut"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Consultez quelques fils d’actu recommandés. Appuyez sur + pour les ajouter à votre liste de fils d’actu."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Consultez quelques comptes recommandés. Suivez-les pour voir des personnes similaires."
@@ -730,36 +735,36 @@ msgstr "Choisissez les algorithmes qui alimentent votre expérience avec des fil
msgid "Choose your main feeds"
msgstr "Choisissez vos principaux fils d’actu"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Choisissez votre mot de passe"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Effacer toutes les données de stockage existantes"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Effacer toutes les données de stockage existantes (redémarrer ensuite)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Effacer toutes les données de stockage"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Effacer toutes les données de stockage (redémarrer ensuite)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Effacer la recherche"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr ""
@@ -771,7 +776,7 @@ msgstr "cliquez ici"
msgid "Click here to open tag menu for {tag}"
msgstr "Cliquez ici pour ouvrir le menu de mot-clé pour {tag}"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "Cliquez ici pour ouvrir le menu de mot-clé pour #{tag}"
@@ -805,7 +810,7 @@ msgstr "Fermer l’image"
msgid "Close image viewer"
msgstr "Fermer la visionneuse d’images"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Fermer le pied de page de navigation"
@@ -814,7 +819,7 @@ msgstr "Fermer le pied de page de navigation"
msgid "Close this dialog"
msgstr "Fermer ce dialogue"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Ferme la barre de navigation du bas"
@@ -830,7 +835,7 @@ msgstr "Ferme la fenêtre de rédaction et supprime le brouillon"
msgid "Closes viewer for header image"
msgstr "Ferme la visionneuse pour l’image d’en-tête"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Réduit la liste des comptes pour une notification donnée"
@@ -851,7 +856,7 @@ msgstr "Directives communautaires"
msgid "Complete onboarding and start using your account"
msgstr "Terminez le didacticiel et commencez à utiliser votre compte"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "Compléter le défi"
@@ -927,7 +932,7 @@ msgstr "Code de confirmation"
msgid "Connecting..."
msgstr "Connexion…"
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Contacter le support"
@@ -981,8 +986,8 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Continuer"
@@ -995,7 +1000,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Passer à l’étape suivante"
@@ -1016,17 +1021,21 @@ msgstr "Cuisine"
msgid "Copied"
msgstr "Copié"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Version de build copiée dans le presse-papier"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "Copié dans le presse-papier"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Copie le mot de passe d’application"
@@ -1039,12 +1048,17 @@ msgstr "Copie"
msgid "Copy {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Copier le lien vers la liste"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Copier le lien vers le post"
@@ -1052,8 +1066,8 @@ msgstr "Copier le lien vers le post"
#~ msgid "Copy link to profile"
#~ msgstr "Copier le lien vers le profil"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Copier le texte du post"
@@ -1066,35 +1080,38 @@ msgstr "Politique sur les droits d’auteur"
msgid "Could not load feed"
msgstr "Impossible de charger le fil d’actu"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "Impossible de charger la liste"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Créer un nouveau compte"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Créer un compte Bluesky"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Créer un compte"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "Créer un mot de passe d’application"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Créer un nouveau compte"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr ""
@@ -1128,7 +1145,7 @@ msgid "Custom domain"
msgstr "Domaine personnalisé"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "Les fils d’actu personnalisés élaborés par la communauté vous font vivre de nouvelles expériences et vous aident à trouver le contenu que vous aimez."
@@ -1136,8 +1153,8 @@ msgstr "Les fils d’actu personnalisés élaborés par la communauté vous font
msgid "Customize media from external sites."
msgstr "Personnaliser les médias provenant de sites externes."
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Sombre"
@@ -1145,15 +1162,15 @@ msgstr "Sombre"
msgid "Dark mode"
msgstr "Mode sombre"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Thème sombre"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1161,13 +1178,13 @@ msgstr ""
msgid "Debug panel"
msgstr "Panneau de débug"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr ""
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Supprimer le compte"
@@ -1183,7 +1200,7 @@ msgstr "Supprimer le mot de passe de l’appli"
msgid "Delete app password?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Supprimer la liste"
@@ -1191,24 +1208,24 @@ msgstr "Supprimer la liste"
msgid "Delete my account"
msgstr "Supprimer mon compte"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Supprimer mon compte…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Supprimer le post"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "Supprimer ce post ?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Supprimé"
@@ -1227,10 +1244,18 @@ msgstr "Description"
msgid "Did you want to say anything?"
msgstr "Vous vouliez dire quelque chose ?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Atténué"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1260,7 +1285,7 @@ msgstr "Empêcher les applis de montrer mon compte aux personnes non connectées
msgid "Discover new custom feeds"
msgstr "Découvrir des fils d’actu personnalisés"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "Découvrir de nouveaux fils d’actu"
@@ -1280,7 +1305,7 @@ msgstr ""
msgid "Does not include nudity."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1310,7 +1335,7 @@ msgstr "Domaine vérifié !"
msgid "Done"
msgstr "Terminé"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1393,7 +1418,7 @@ msgctxt "action"
msgid "Edit"
msgstr "Modifier"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr ""
@@ -1403,7 +1428,7 @@ msgstr ""
msgid "Edit image"
msgstr "Modifier l’image"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Modifier les infos de la liste"
@@ -1412,8 +1437,8 @@ msgid "Edit Moderation List"
msgstr "Modifier la liste de modération"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Modifier mes fils d’actu"
@@ -1421,18 +1446,18 @@ msgstr "Modifier mes fils d’actu"
msgid "Edit my profile"
msgstr "Modifier mon profil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Modifier le profil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Modifier le profil"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Modifier les fils d’actu enregistrés"
@@ -1474,10 +1499,24 @@ msgstr "E-mail mis à jour"
msgid "Email verified"
msgstr "Adresse e-mail vérifiée"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "E-mail :"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Activer {0} uniquement"
@@ -1520,7 +1559,7 @@ msgstr ""
msgid "Enabled"
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Fin du fil d’actu"
@@ -1558,7 +1597,7 @@ msgid "Enter your birth date"
msgstr "Saisissez votre date de naissance"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Entrez votre e-mail"
@@ -1578,7 +1617,7 @@ msgstr "Entrez votre pseudo et votre mot de passe"
msgid "Error receiving captcha response."
msgstr "Erreur de réception de la réponse captcha."
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Erreur :"
@@ -1615,8 +1654,8 @@ msgstr "Sort de la saisie de la recherche"
msgid "Expand alt text"
msgstr "Développer le texte alt"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Développe ou réduit le post complet auquel vous répondez"
@@ -1628,12 +1667,12 @@ msgstr ""
msgid "Explicit sexual images."
msgstr ""
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "Exporter mes données"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "Exporter mes données"
@@ -1649,11 +1688,11 @@ msgstr "Les médias externes peuvent permettre à des sites web de collecter des
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Préférences sur les médias externes"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Préférences sur les médias externes"
@@ -1666,12 +1705,12 @@ msgstr "Échec de la création du mot de passe d’application."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "Échec de la création de la liste. Vérifiez votre connexion Internet et réessayez."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "Échec de la suppression du post, veuillez réessayer"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Échec du chargement des fils d’actu recommandés"
@@ -1687,31 +1726,31 @@ msgstr "Fil d’actu"
msgid "Feed by {0}"
msgstr "Fil d’actu par {0}"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Fil d’actu hors ligne"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Feedback"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Fils d’actu"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Les fils d’actu sont créés par d’autres personnes pour rassembler du contenu. Choisissez des fils d’actu qui vous intéressent."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Les fils d’actu sont des algorithmes personnalisés qui se construisent avec un peu d’expertise en programmation. <0/> pour plus d’informations."
@@ -1737,11 +1776,11 @@ msgstr "Finalisation"
msgid "Find accounts to follow"
msgstr "Trouver des comptes à suivre"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Trouver des comptes sur Bluesky"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Trouvez des comptes à l’aide de l’outil de recherche, à droite"
@@ -1775,10 +1814,10 @@ msgid "Flip vertically"
msgstr "Miroir vertical"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Suivre"
@@ -1810,11 +1849,11 @@ msgstr ""
msgid "Follow selected accounts and continue to the next step"
msgstr "Suivre les comptes sélectionnés et passer à l’étape suivante"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Suivez quelques comptes pour commencer. Nous pouvons vous recommander d’autres comptes en fonction des personnes qui vous intéressent."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "Suivi par {0}"
@@ -1826,7 +1865,7 @@ msgstr "Comptes suivis"
msgid "Followed users only"
msgstr "Comptes suivis uniquement"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "vous suit"
@@ -1835,7 +1874,7 @@ msgstr "vous suit"
msgid "Followers"
msgstr "Abonné·e·s"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1846,15 +1885,15 @@ msgstr "Suivi"
msgid "Following {0}"
msgstr "Suit {0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr ""
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "Préférences en matière de fil d’actu « Following »"
@@ -1862,7 +1901,7 @@ msgstr "Préférences en matière de fil d’actu « Following »"
msgid "Follows you"
msgstr "Vous suit"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Vous suit"
@@ -1908,7 +1947,7 @@ msgstr ""
msgid "From @{sanitizedAuthor}"
msgstr "De @{sanitizedAuthor}"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "Tiré de <0/>"
@@ -1932,7 +1971,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Retour"
@@ -1942,15 +1981,15 @@ msgstr "Retour"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Retour"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "Retour à l’étape précédente"
@@ -1962,7 +2001,7 @@ msgstr ""
msgid "Go Home"
msgstr ""
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "Aller à @{queryMaybeHandle}"
@@ -1988,16 +2027,16 @@ msgstr ""
msgid "Hashtag"
msgstr "Mot-clé"
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr "Mot-clé : #{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "Un souci ?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Aide"
@@ -2026,17 +2065,17 @@ msgstr "Voici le mot de passe de votre appli."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Cacher"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "Cacher"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Cacher ce post"
@@ -2045,11 +2084,11 @@ msgstr "Cacher ce post"
msgid "Hide the content"
msgstr "Cacher ce contenu"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "Cacher ce post ?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Cacher la liste des comptes"
@@ -2085,11 +2124,11 @@ msgstr ""
msgid "Hmmmm, we couldn't load that moderation service."
msgstr ""
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Accueil"
@@ -2132,11 +2171,11 @@ msgstr "Si rien n’est sélectionné, il n’y a pas de restriction d’âge."
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr ""
@@ -2209,7 +2248,7 @@ msgstr "Entrez votre mot de passe"
msgid "Input your preferred hosting provider"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Entrez votre pseudo"
@@ -2245,8 +2284,7 @@ msgstr "Invitations : 1 code dispo"
msgid "It shows posts from the people you follow as they happen."
msgstr "Il affiche les posts des personnes que vous suivez au fur et à mesure qu’ils sont publiés."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Emplois"
@@ -2266,11 +2304,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2290,7 +2328,7 @@ msgstr ""
msgid "Language selection"
msgstr "Sélection de la langue"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Préférences de langue"
@@ -2299,7 +2337,7 @@ msgstr "Préférences de langue"
msgid "Language Settings"
msgstr "Paramètres linguistiques"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Langues"
@@ -2307,6 +2345,10 @@ msgstr "Langues"
#~ msgid "Last step!"
#~ msgstr "Dernière étape !"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr "En savoir plus"
@@ -2345,7 +2387,7 @@ msgstr "Quitter Bluesky"
msgid "left to go."
msgstr "devant vous dans la file."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "Stockage ancien effacé, vous devez redémarrer l’application maintenant."
@@ -2363,16 +2405,16 @@ msgstr "Allons-y !"
#~ msgid "Library"
#~ msgstr "Bibliothèque"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Clair"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "Liker"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Liker ce fil d’actu"
@@ -2396,21 +2438,21 @@ msgstr "Liké par {0} {1}"
msgid "Liked by {count} {0}"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "Liké par {likeCount} {0}"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "liké votre fil d’actu personnalisé"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "liké votre post"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Likes"
@@ -2426,7 +2468,7 @@ msgstr "Liste"
msgid "List Avatar"
msgstr "Liste des avatars"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Liste bloquée"
@@ -2434,11 +2476,11 @@ msgstr "Liste bloquée"
msgid "List by {0}"
msgstr "Liste par {0}"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Liste supprimée"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Liste masquée"
@@ -2446,20 +2488,20 @@ msgstr "Liste masquée"
msgid "List Name"
msgstr "Nom de liste"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Liste débloquée"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Liste démasquée"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Listes"
@@ -2472,10 +2514,10 @@ msgstr "Listes"
msgid "Load new notifications"
msgstr "Charger les nouvelles notifications"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Charger les nouveaux posts"
@@ -2522,7 +2564,7 @@ msgstr "Gérer les mots et les mots-clés masqués"
#~ msgid "May only contain letters and numbers"
#~ msgstr "Ne peut contenir que des lettres et des chiffres"
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Média"
@@ -2535,7 +2577,7 @@ msgid "Mentioned users"
msgstr "Comptes mentionnés"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Menu"
@@ -2549,10 +2591,10 @@ msgstr ""
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Modération"
@@ -2565,13 +2607,13 @@ msgstr ""
msgid "Moderation list by {0}"
msgstr "Liste de modération par {0}"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "Liste de modération par <0/>"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Liste de modération par vous"
@@ -2592,7 +2634,7 @@ msgstr "Listes de modération"
msgid "Moderation Lists"
msgstr "Listes de modération"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Paramètres de modération"
@@ -2609,7 +2651,7 @@ msgstr ""
msgid "Moderator has chosen to set a general warning on the content."
msgstr "La modération a choisi d’ajouter un avertissement général sur le contenu."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr ""
@@ -2617,7 +2659,7 @@ msgstr ""
msgid "More feeds"
msgstr "Plus de fils d’actu"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Plus d’options"
@@ -2642,7 +2684,7 @@ msgstr "Masquer {truncatedTag}"
msgid "Mute Account"
msgstr "Masquer le compte"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Masquer les comptes"
@@ -2658,12 +2700,12 @@ msgstr "Masquer dans les mots-clés uniquement"
msgid "Mute in text & tags"
msgstr "Masquer dans le texte et les mots-clés"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Masquer la liste"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "Masquer ces comptes ?"
@@ -2679,13 +2721,13 @@ msgstr "Masquer ce mot dans le texte du post et les mots-clés"
msgid "Mute this word in tags only"
msgstr "Masquer ce mot dans les mots-clés uniquement"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Masquer ce fil de discussion"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "Masquer les mots et les mots-clés"
@@ -2698,11 +2740,11 @@ msgid "Muted accounts"
msgstr "Comptes masqués"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Comptes masqués"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Les comptes masqués voient leurs posts supprimés de votre fil d’actu et de vos notifications. Cette option est totalement privée."
@@ -2714,7 +2756,7 @@ msgstr ""
msgid "Muted words & tags"
msgstr "Les mots et les mots-clés masqués"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Ce que vous masquez reste privé. Les comptes masqués peuvent interagir avec vous, mais vous ne verrez pas leurs posts et ne recevrez pas de notifications de leur part."
@@ -2723,7 +2765,7 @@ msgstr "Ce que vous masquez reste privé. Les comptes masqués peuvent interagir
msgid "My Birthday"
msgstr "Ma date de naissance"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Mes fils d’actu"
@@ -2731,11 +2773,11 @@ msgstr "Mes fils d’actu"
msgid "My Profile"
msgstr "Mon profil"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "Mes fils d’actu enregistrés"
@@ -2763,7 +2805,7 @@ msgid "Nature"
msgstr "Nature"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Navigue vers le prochain écran"
@@ -2772,7 +2814,7 @@ msgstr "Navigue vers le prochain écran"
msgid "Navigates to your profile"
msgstr "Navigue vers votre profil"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr ""
@@ -2824,12 +2866,12 @@ msgctxt "action"
msgid "New post"
msgstr "Nouveau post"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Nouveau post"
@@ -2853,12 +2895,12 @@ msgstr "Actualités"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -2882,8 +2924,8 @@ msgstr "Image suivante"
msgid "No"
msgstr "Non"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Aucune description"
@@ -2895,7 +2937,7 @@ msgstr ""
msgid "No longer following {0}"
msgstr "Ne suit plus {0}"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -2912,13 +2954,13 @@ msgstr "Aucun résultat"
msgid "No results found"
msgstr "Aucun résultat trouvé"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "Aucun résultat trouvé pour « {query} »"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "Aucun résultat trouvé pour {query}"
@@ -2945,7 +2987,7 @@ msgid "Not Applicable."
msgstr "Sans objet."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "Introuvable"
@@ -2955,8 +2997,8 @@ msgid "Not right now"
msgstr "Pas maintenant"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -2964,13 +3006,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Remarque : Bluesky est un réseau ouvert et public. Ce paramètre limite uniquement la visibilité de votre contenu sur l’application et le site Web de Bluesky, et d’autres applications peuvent ne pas respecter ce paramètre. Votre contenu peut toujours être montré aux personnes non connectées par d’autres applications et sites Web."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Notifications"
@@ -2986,7 +3028,7 @@ msgstr ""
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr ""
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -3003,7 +3045,7 @@ msgid "Oh no! Something went wrong."
msgstr "Oh non ! Il y a eu un problème."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr ""
@@ -3015,7 +3057,7 @@ msgstr "D’accord"
msgid "Oldest replies first"
msgstr "Plus anciennes réponses en premier"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Réinitialiser le didacticiel"
@@ -3027,7 +3069,7 @@ msgstr "Une ou plusieurs images n’ont pas de texte alt."
msgid "Only {0} can reply."
msgstr "Seul {0} peut répondre."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -3037,7 +3079,7 @@ msgstr "Oups, quelque chose n’a pas marché !"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Oups !"
@@ -3054,11 +3096,11 @@ msgstr "Ouvrir"
msgid "Open emoji picker"
msgstr "Ouvrir le sélecteur d’emoji"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Ouvrir des liens avec le navigateur interne à l’appli"
@@ -3070,20 +3112,20 @@ msgstr ""
#~ msgid "Open muted words settings"
#~ msgstr "Ouvrir les paramètres des mots masqués"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Navigation ouverte"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr "Ouvrir le menu d’options du post"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Ouvrir la page Storybook"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr ""
@@ -3095,7 +3137,7 @@ msgstr "Ouvre {numItems} options"
msgid "Opens additional details for a debug entry"
msgstr "Ouvre des détails supplémentaires pour une entrée de débug"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "Ouvre une liste étendue des comptes dans cette notification"
@@ -3107,7 +3149,7 @@ msgstr "Ouvre l’appareil photo de l’appareil"
msgid "Opens composer"
msgstr "Ouvre le rédacteur"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Ouvre les paramètres linguistiques configurables"
@@ -3119,19 +3161,17 @@ msgstr "Ouvre la galerie de photos de l’appareil"
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr "Ouvre l’éditeur pour le nom d’affichage du profil, l’avatar, l’image d’arrière-plan et la description"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Ouvre les paramètres d’intégration externe"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr ""
@@ -3147,7 +3187,7 @@ msgstr ""
msgid "Opens list of invite codes"
msgstr "Ouvre la liste des codes d’invitation"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
@@ -3155,19 +3195,19 @@ msgstr ""
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr "Ouvre la fenêtre modale pour confirmer la suppression du compte. Requiert un code e-mail."
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3175,7 +3215,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr "Ouvre une fenêtre modale pour utiliser un domaine personnalisé"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Ouvre les paramètres de modération"
@@ -3183,16 +3223,16 @@ msgstr "Ouvre les paramètres de modération"
msgid "Opens password reset form"
msgstr "Ouvre le formulaire de réinitialisation du mot de passe"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Ouvre l’écran pour modifier les fils d’actu enregistrés"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Ouvre l’écran avec tous les fils d’actu enregistrés"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr ""
@@ -3200,7 +3240,7 @@ msgstr ""
#~ msgid "Opens the app password settings page"
#~ msgstr "Ouvre la page de configuration du mot de passe"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr ""
@@ -3212,16 +3252,16 @@ msgstr ""
msgid "Opens the linked website"
msgstr ""
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Ouvre la page de l’historique"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Ouvre la page du journal système"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Ouvre les préférences relatives aux fils de discussion"
@@ -3229,7 +3269,7 @@ msgstr "Ouvre les préférences relatives aux fils de discussion"
msgid "Option {0} of {numItems}"
msgstr "Option {0} sur {numItems}"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr ""
@@ -3259,7 +3299,7 @@ msgid "Page Not Found"
msgstr "Page introuvable"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3277,6 +3317,11 @@ msgstr "Mise à jour du mot de passe"
msgid "Password updated!"
msgstr "Mot de passe mis à jour !"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "Personnes suivies par @{0}"
@@ -3301,16 +3346,16 @@ msgstr "Animaux domestiques"
msgid "Pictures meant for adults."
msgstr "Images destinées aux adultes."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "Ajouter à l’accueil"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Fils épinglés"
@@ -3413,7 +3458,7 @@ msgstr "Post de {0}"
msgid "Post by @{0}"
msgstr "Post de @{0}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Post supprimé"
@@ -3448,7 +3493,8 @@ msgstr "Post introuvable"
msgid "posts"
msgstr "posts"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Posts"
@@ -3464,13 +3510,13 @@ msgstr "Posts cachés"
msgid "Potentially Misleading Link"
msgstr "Lien potentiellement trompeur"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr ""
@@ -3486,7 +3532,7 @@ msgstr "Langue principale"
msgid "Prioritize Your Follows"
msgstr "Définissez des priorités de vos suivis"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Vie privée"
@@ -3494,8 +3540,8 @@ msgstr "Vie privée"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Charte de confidentialité"
@@ -3504,15 +3550,15 @@ msgid "Processing..."
msgstr "Traitement…"
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Profil"
@@ -3520,7 +3566,7 @@ msgstr "Profil"
msgid "Profile updated"
msgstr "Profil mis à jour"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Protégez votre compte en vérifiant votre e-mail."
@@ -3566,15 +3612,15 @@ msgstr "Aléatoire"
msgid "Ratios"
msgstr "Ratios"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Fils d’actu recommandés"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Comptes recommandés"
@@ -3595,7 +3641,7 @@ msgstr "Supprimer"
msgid "Remove account"
msgstr "Supprimer compte"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr ""
@@ -3613,8 +3659,8 @@ msgstr ""
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Supprimer de mes fils d’actu"
@@ -3659,7 +3705,7 @@ msgstr "Supprimé de la liste"
msgid "Removed from my feeds"
msgstr "Supprimé de mes fils d’actu"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr ""
@@ -3667,7 +3713,7 @@ msgstr ""
msgid "Removes default thumbnail from {0}"
msgstr "Supprime la miniature par défaut de {0}"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Réponses"
@@ -3684,8 +3730,8 @@ msgstr "Répondre"
msgid "Reply Filters"
msgstr "Filtres de réponse"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "Réponse à <0/>"
@@ -3703,17 +3749,17 @@ msgstr "Signaler le compte"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Signaler le fil d’actu"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Signaler la liste"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Signaler le post"
@@ -3758,15 +3804,19 @@ msgstr "Republier ou citer"
msgid "Reposted By"
msgstr "Republié par"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "Republié par {0}"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "Republié par <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "Republié par <0/>"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "a republié votre post"
@@ -3784,7 +3834,7 @@ msgstr "Demande de modification"
msgid "Request Code"
msgstr "Demander un code"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Nécessiter un texte alt avant de publier"
@@ -3804,8 +3854,8 @@ msgstr "Code de réinitialisation"
#~ msgid "Reset onboarding"
#~ msgstr "Réinitialiser le didacticiel"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Réinitialisation du didacticiel"
@@ -3817,16 +3867,16 @@ msgstr "Réinitialiser mot de passe"
#~ msgid "Reset preferences"
#~ msgstr "Réinitialiser les préférences"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Réinitialiser l’état des préférences"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Réinitialise l’état d’accueil"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Réinitialise l’état des préférences"
@@ -3845,14 +3895,14 @@ msgstr "Réessaye la dernière action, qui a échoué"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
msgstr "Réessayer"
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Retourne à la page précédente"
@@ -3898,12 +3948,12 @@ msgstr "Enregistrer le changement de pseudo"
msgid "Save image crop"
msgstr "Enregistrer le recadrage de l’image"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Fils d’actu enregistrés"
@@ -3911,7 +3961,7 @@ msgstr "Fils d’actu enregistrés"
msgid "Saved to your camera roll."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr ""
@@ -3931,28 +3981,28 @@ msgstr ""
msgid "Science"
msgstr "Science"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Remonter en haut"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Recherche"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "Recherche de « {query} »"
@@ -3991,13 +4041,18 @@ msgstr "Voir les posts <0>{displayTag}0>"
msgid "See <0>{displayTag}0> posts by this user"
msgstr "Voir les posts <0>{displayTag}0> de ce compte"
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Voir ce guide"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Voir la suite"
+#~ msgid "See what's next"
+#~ msgstr "Voir la suite"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4032,7 +4087,7 @@ msgstr "Sélectionne l’option {i} sur {numItems}"
msgid "Select some accounts below to follow"
msgstr "Sélectionnez quelques comptes à suivre ci-dessous"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4060,7 +4115,7 @@ msgstr "Sélectionnez les langues que vous souhaitez voir figurer dans les fils
msgid "Select your app language for the default text to display in the app."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4094,13 +4149,13 @@ msgctxt "action"
msgid "Send Email"
msgstr "Envoyer l’e-mail"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Envoyer des commentaires"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr ""
@@ -4190,23 +4245,23 @@ msgstr "Créez votre compte"
msgid "Sets Bluesky username"
msgstr "Définit le pseudo Bluesky"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr ""
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr ""
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr ""
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr ""
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr ""
@@ -4236,10 +4291,10 @@ msgstr ""
#~ msgstr "Définit le serveur pour le client Bluesky"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Paramètres"
@@ -4258,21 +4313,21 @@ msgstr "Partager"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Partager"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Partager le fil d’actu"
@@ -4289,7 +4344,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Afficher"
@@ -4319,9 +4374,9 @@ msgstr ""
msgid "Show follows similar to {0}"
msgstr "Afficher les suivis similaires à {0}"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Voir plus"
@@ -4378,7 +4433,7 @@ msgstr "Afficher les reposts dans le fil d’actu « Following »"
msgid "Show the content"
msgstr "Afficher le contenu"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Afficher les comptes"
@@ -4398,24 +4453,24 @@ msgstr ""
msgid "Shows posts from {0} in your feed"
msgstr "Affiche les posts de {0} dans votre fil d’actu"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Connexion"
@@ -4433,28 +4488,36 @@ msgstr "Se connecter en tant que {0}"
msgid "Sign in as..."
msgstr "Se connecter en tant que…"
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "Se connecter à"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Déconnexion"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "S’inscrire"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "S’inscrire ou se connecter pour participer à la conversation"
@@ -4463,7 +4526,7 @@ msgstr "S’inscrire ou se connecter pour participer à la conversation"
msgid "Sign-in Required"
msgstr "Connexion requise"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Connecté en tant que"
@@ -4491,7 +4554,7 @@ msgstr "Développement de logiciels"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr ""
@@ -4499,7 +4562,7 @@ msgstr ""
#~ msgid "Something went wrong!"
#~ msgstr "Quelque chose n’a pas marché !"
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "Désolé ! Votre session a expiré. Essayez de vous reconnecter."
@@ -4531,11 +4594,11 @@ msgstr "Sports"
msgid "Square"
msgstr "Carré"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "État du service"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4543,12 +4606,12 @@ msgstr ""
#~ msgid "Step {0} of {numSteps}"
#~ msgstr "Étape {0} sur {numSteps}"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "Stockage effacé, vous devez redémarrer l’application maintenant."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Historique"
@@ -4557,15 +4620,15 @@ msgstr "Historique"
msgid "Submit"
msgstr "Envoyer"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "S’abonner"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4574,15 +4637,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr "S’abonner au fil d’actu {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "S’abonner à cette liste"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Suivis suggérés"
@@ -4605,19 +4668,19 @@ msgstr "Soutien"
msgid "Switch Account"
msgstr "Changer de compte"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "Basculer sur {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Bascule le compte auquel vous êtes connectés vers"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "Système"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Journal système"
@@ -4647,9 +4710,9 @@ msgstr "Conditions générales"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Conditions d’utilisation"
@@ -4667,7 +4730,7 @@ msgstr "texte"
msgid "Text input field"
msgstr "Champ de saisie de texte"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr ""
@@ -4675,11 +4738,11 @@ msgstr ""
msgid "That contains the following:"
msgstr ""
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "Ce pseudo est déjà occupé."
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "Ce compte pourra interagir avec vous après le déblocage."
@@ -4729,8 +4792,8 @@ msgstr "Nos conditions d’utilisation ont été déplacées vers"
msgid "There are many feeds to try:"
msgstr "Il existe de nombreux fils d’actu à essayer :"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Il y a eu un problème de connexion au serveur, veuillez vérifier votre connexion Internet et réessayez."
@@ -4738,15 +4801,15 @@ msgstr "Il y a eu un problème de connexion au serveur, veuillez vérifier votre
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Il y a eu un problème lors de la suppression du fil, veuillez vérifier votre connexion Internet et réessayez."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Il y a eu un problème lors de la mise à jour de vos fils d’actu, veuillez vérifier votre connexion Internet et réessayez."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "Il y a eu un problème de connexion au serveur"
@@ -4769,12 +4832,12 @@ msgstr "Il y a eu un problème lors de la récupération des posts. Appuyez ici
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Il y a eu un problème lors de la récupération de la liste. Appuyez ici pour réessayer."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Il y a eu un problème lors de la récupération de vos listes. Appuyez ici pour réessayer."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr ""
@@ -4800,10 +4863,10 @@ msgstr "Il y a eu un problème lors de la récupération de vos mots de passe d
msgid "There was an issue! {0}"
msgstr "Il y a eu un problème ! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Il y a eu un problème. Veuillez vérifier votre connexion Internet et réessayez."
@@ -4864,9 +4927,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Ce fil d’actu reçoit actuellement un trafic important, il est temporairement indisponible. Veuillez réessayer plus tard."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Ce fil d’actu est vide !"
@@ -4886,7 +4949,7 @@ msgstr "Ceci est important au cas où vous auriez besoin de changer d’e-mail o
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -4894,7 +4957,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr "Ce lien vous conduit au site Web suivant :"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "Cette liste est vide !"
@@ -4910,12 +4973,12 @@ msgstr "Ce nom est déjà utilisé"
msgid "This post has been deleted."
msgstr "Ce post a été supprimé."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr ""
@@ -4976,12 +5039,12 @@ msgstr "Cela supprimera {0} de vos mots masqués. Vous pourrez toujours le réin
#~ msgid "This will hide this post from your feeds."
#~ msgstr "Cela va masquer ce post de vos fils d’actu."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr ""
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Préférences des fils de discussion"
@@ -5009,14 +5072,18 @@ msgstr "Activer le menu déroulant"
msgid "Toggle to enable or disable adult content"
msgstr ""
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Transformations"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Traduire"
@@ -5029,11 +5096,11 @@ msgstr "Réessayer"
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Débloquer la liste"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Réafficher cette liste"
@@ -5041,15 +5108,15 @@ msgstr "Réafficher cette liste"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "Impossible de contacter votre service. Veuillez vérifier votre connexion Internet."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Débloquer"
@@ -5063,7 +5130,7 @@ msgstr "Débloquer"
msgid "Unblock Account"
msgstr "Débloquer le compte"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr ""
@@ -5076,7 +5143,7 @@ msgid "Undo repost"
msgstr "Annuler le repost"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr ""
@@ -5098,16 +5165,16 @@ msgstr ""
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "Malheureusement, vous ne remplissez pas les conditions requises pour créer un compte."
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "Déliker"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr ""
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Réafficher"
@@ -5124,21 +5191,21 @@ msgstr "Réafficher ce compte"
msgid "Unmute all {displayTag} posts"
msgstr "Réafficher tous les posts {displayTag}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Réafficher ce fil de discussion"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Désépingler"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr ""
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Supprimer la liste de modération"
@@ -5146,11 +5213,11 @@ msgstr "Supprimer la liste de modération"
#~ msgid "Unsave"
#~ msgstr "Supprimer"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5178,20 +5245,20 @@ msgstr "Mise à jour…"
msgid "Upload a text file to:"
msgstr "Envoyer un fichier texte vers :"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5265,13 +5332,13 @@ msgstr "Compte qui vous bloque"
msgid "User list by {0}"
msgstr "Liste de compte de {0}"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "Liste de compte par <0/>"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "Liste de compte par vous"
@@ -5291,7 +5358,9 @@ msgstr "Listes de comptes"
msgid "Username or email address"
msgstr "Pseudo ou e-mail"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Comptes"
@@ -5315,15 +5384,15 @@ msgstr ""
msgid "Verify {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "Confirmer l’e-mail"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Confirmer mon e-mail"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Confirmer mon e-mail"
@@ -5336,7 +5405,7 @@ msgstr "Confirmer le nouvel e-mail"
msgid "Verify Your Email"
msgstr "Vérifiez votre e-mail"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5352,11 +5421,11 @@ msgstr "Voir l’avatar de {0}"
msgid "View debug entry"
msgstr "Afficher l’entrée de débogage"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr ""
@@ -5368,6 +5437,8 @@ msgstr "Voir le fil de discussion entier"
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Voir le profil"
@@ -5380,7 +5451,7 @@ msgstr "Afficher l’avatar"
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5456,11 +5527,11 @@ msgstr "Nous vous informerons lorsque votre compte sera prêt."
msgid "We'll use this to help customize your experience."
msgstr "Nous utiliserons ces informations pour personnaliser votre expérience."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Nous sommes ravis de vous accueillir !"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Nous sommes désolés, mais nous n’avons pas pu charger cette liste. Si cela persiste, veuillez contacter l’origine de la liste, @{handleOrDid}."
@@ -5468,7 +5539,7 @@ msgstr "Nous sommes désolés, mais nous n’avons pas pu charger cette liste. S
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "Nous sommes désolés, mais nous n’avons pas pu charger vos mots masqués pour le moment. Veuillez réessayer."
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Nous sommes désolés, mais votre recherche a été annulée. Veuillez réessayer dans quelques minutes."
@@ -5477,7 +5548,7 @@ msgstr "Nous sommes désolés, mais votre recherche a été annulée. Veuillez r
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Nous sommes désolés ! La page que vous recherchez est introuvable."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5493,8 +5564,8 @@ msgstr "Quels sont vos centres d’intérêt ?"
#~ msgid "What is the issue with this {collectionName}?"
#~ msgstr "Quel est le problème avec cette {collectionName} ?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "Quoi de neuf ?"
@@ -5589,15 +5660,15 @@ msgstr ""
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "Vous n’avez encore aucun code d’invitation ! Nous vous en enverrons lorsque vous serez sur Bluesky depuis un peu plus longtemps."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "Vous n’avez encore aucun fil épinglé."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "Vous n’avez encore aucun fil enregistré !"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "Vous n’avez encore aucun fil enregistré."
@@ -5639,16 +5710,16 @@ msgstr ""
#~ msgid "You have muted this user."
#~ msgstr "Vous avez masqué ce compte."
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "Vous n’avez aucun fil."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "Vous n’avez aucune liste."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
@@ -5660,7 +5731,7 @@ msgstr ""
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Vous n’avez encore créé aucun mot de passe pour l’appli. Vous pouvez en créer un en cliquant sur le bouton suivant."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
@@ -5688,15 +5759,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "Vous devez avoir 18 ans ou plus pour activer le contenu pour adultes."
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Vous ne recevrez plus de notifications pour ce fil de discussion"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Vous recevrez désormais des notifications pour ce fil de discussion"
@@ -5727,7 +5798,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Vous avez atteint la fin de votre fil d’actu ! Trouvez d’autres comptes à suivre."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Votre compte"
@@ -5739,7 +5810,7 @@ msgstr "Votre compte a été supprimé"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "Le dépôt de votre compte, qui contient toutes les données publiques, peut être téléchargé sous la forme d’un fichier « CAR ». Ce fichier n’inclut pas les éléments multimédias, tels que les images, ni vos données privées, qui doivent être récupérées séparément."
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "Votre date de naissance"
@@ -5769,7 +5840,7 @@ msgstr "Votre e-mail n’a pas encore été vérifié. Il s’agit d’une mesur
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Votre fil d’actu des comptes suivis est vide ! Suivez plus de comptes pour voir ce qui se passe."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Votre nom complet sera"
@@ -5795,7 +5866,7 @@ msgstr "Votre post a été publié"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Vos posts, les likes et les blocages sont publics. Les silences (comptes masqués) sont privés."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Votre profil"
@@ -5803,6 +5874,6 @@ msgstr "Votre profil"
msgid "Your reply has been published"
msgstr "Votre réponse a été publiée"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Votre pseudo"
diff --git a/src/locale/locales/ga/messages.po b/src/locale/locales/ga/messages.po
index 8b79ff6321..ed8d6d892c 100644
--- a/src/locale/locales/ga/messages.po
+++ b/src/locale/locales/ga/messages.po
@@ -16,6 +16,7 @@ msgstr ""
msgid "(no email)"
msgstr "(gan ríomhphost)"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} á leanúint"
@@ -28,7 +29,7 @@ msgstr "{following} á leanúint"
#~ msgid "{invitesAvailable} invite codes available"
#~ msgstr "{invitesAvailable} cód cuiridh ar fáil"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} gan léamh"
@@ -40,15 +41,20 @@ msgstr "<0/> ball"
msgid "<0>{0}0> following"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>á leanúint1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Roghnaigh do chuid0><1>Fothaí1><2>Molta2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Lean cúpla0><1>Úsáideoirí1><2>Molta2>"
@@ -56,7 +62,7 @@ msgstr "<0>Lean cúpla0><1>Úsáideoirí1><2>Molta2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Fáilte go0><1>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Leasainm Neamhbhailí"
@@ -69,16 +75,16 @@ msgstr "⚠Leasainm Neamhbhailí"
#~ msgstr "Tá leagan nua den aip ar fáil. Uasdátaigh leis an aip a úsáid anois."
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Oscail nascanna agus socruithe"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Oscail próifíl agus nascanna eile"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Inrochtaineacht"
@@ -87,8 +93,8 @@ msgid "account"
msgstr ""
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Cuntas"
@@ -138,7 +144,7 @@ msgstr "Níl an cuntas i bhfolach a thuilleadh"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Cuir leis"
@@ -146,13 +152,13 @@ msgstr "Cuir leis"
msgid "Add a content warning"
msgstr "Cuir rabhadh faoin ábhar leis"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Cuir cuntas leis an liosta seo"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Cuir cuntas leis seo"
@@ -242,11 +248,11 @@ msgid "Adult content is disabled."
msgstr ""
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Ardleibhéal"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "Na fothaí go léir a shábháil tú, in áit amháin."
@@ -283,6 +289,8 @@ msgstr "Cuireadh teachtaireacht ríomhphoist chuig do sheanseoladh. {0}. Tá có
msgid "An issue not included in these options"
msgstr ""
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -290,7 +298,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr "Tharla fadhb. Déan iarracht eile, le do thoil."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "agus"
@@ -319,7 +327,7 @@ msgstr "Ní féidir ach litreacha, uimhreacha, spásanna, daiseanna agus fostrí
msgid "App Password names must be at least 4 characters long."
msgstr "Caithfear 4 charachtar ar a laghad a bheith in ainmneacha phasfhocal na haipe."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "Socruithe phasfhocal na haipe"
@@ -329,7 +337,7 @@ msgstr "Socruithe phasfhocal na haipe"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Pasfhocal na haipe"
@@ -362,7 +370,7 @@ msgstr ""
#~ msgid "Appeal this decision."
#~ msgstr "Dean achomharc in aghaidh an chinnidh seo."
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Cuma"
@@ -398,7 +406,7 @@ msgstr "Ealaín"
msgid "Artistic or non-erotic nudity."
msgstr "Lomnochtacht ealaíonta nó gan a bheith gáirsiúil."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -413,7 +421,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Ar ais"
@@ -427,7 +435,7 @@ msgstr "Ar ais"
msgid "Based on your interest in {interestsText}"
msgstr "Toisc go bhfuil suim agat in {interestsText}"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Bunrudaí"
@@ -435,11 +443,11 @@ msgstr "Bunrudaí"
msgid "Birthday"
msgstr "Breithlá"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Breithlá:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr ""
@@ -453,16 +461,16 @@ msgstr "Blocáil an cuntas seo"
msgid "Block Account?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Blocáil na cuntais seo"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Liosta blocála"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "An bhfuil fonn ort na cuntais seo a bhlocáil?"
@@ -471,7 +479,7 @@ msgstr "An bhfuil fonn ort na cuntais seo a bhlocáil?"
#~ msgstr "Blocáil an liosta seo"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Blocáilte"
@@ -480,7 +488,7 @@ msgid "Blocked accounts"
msgstr "Cuntais bhlocáilte"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Cuntais bhlocáilte"
@@ -488,7 +496,7 @@ msgstr "Cuntais bhlocáilte"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Ní féidir leis na cuntais bhlocáilte freagra a thabhairt ar do chomhráite, tagairt a dhéanamh duit, ná aon phlé eile a bheith acu leat."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Ní féidir leis na cuntais bhlocáilte freagra a thabhairt ar do chomhráite, tagairt a dhéanamh duit, ná aon phlé eile a bheith acu leat. Ní fheicfidh tú a gcuid ábhair agus ní fheicfidh siad do chuid ábhair."
@@ -496,11 +504,11 @@ msgstr "Ní féidir leis na cuntais bhlocáilte freagra a thabhairt ar do chomhr
msgid "Blocked post."
msgstr "Postáil bhlocáilte."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr ""
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Tá an bhlocáil poiblí. Ní féidir leis na cuntais bhlocáilte freagra a thabhairt ar do chomhráite, tagairt a dhéanamh duit, ná aon phlé eile a bheith acu leat."
@@ -508,12 +516,10 @@ msgstr "Tá an bhlocáil poiblí. Ní féidir leis na cuntais bhlocáilte freagr
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blag"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -566,8 +572,7 @@ msgstr "Leabhair"
#~ msgid "Build version {0} {1}"
#~ msgstr "Leagan {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Gnó"
@@ -629,7 +634,7 @@ msgstr "Ní féidir ach litreacha, uimhreacha, spásanna, daiseanna agus fostrí
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Cealaigh"
@@ -679,17 +684,17 @@ msgstr ""
msgid "Change"
msgstr ""
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Athraigh"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Athraigh mo leasainm"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Athraigh mo leasainm"
@@ -697,12 +702,12 @@ msgstr "Athraigh mo leasainm"
msgid "Change my email"
msgstr "Athraigh mo ríomhphost"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Athraigh mo phasfhocal"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Athraigh mo phasfhocal"
@@ -723,11 +728,11 @@ msgstr "Athraigh do ríomhphost"
msgid "Check my status"
msgstr "Seiceáil mo stádas"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Cuir súil ar na fothaí seo. Brúigh + len iad a chur le liosta na bhfothaí atá greamaithe agat."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Cuir súil ar na húsáideoirí seo. Lean iad le húsáideoirí atá cosúil leo a fheiceáil."
@@ -764,36 +769,36 @@ msgstr "Roghnaigh na halgartaim a shainíonn an dóigh a n-oibríonn do chuid sa
msgid "Choose your main feeds"
msgstr "Roghnaigh do phríomhfhothaí"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Roghnaigh do phasfhocal"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Glan na sonraí oidhreachta ar fad atá i dtaisce."
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Glan na sonraí oidhreachta ar fad atá i dtaisce. Ansin atosaigh."
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Glan na sonraí ar fad atá i dtaisce."
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Glan na sonraí ar fad atá i dtaisce. Ansin atosaigh."
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Glan an cuardach"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr ""
@@ -805,7 +810,7 @@ msgstr "cliceáil anseo"
msgid "Click here to open tag menu for {tag}"
msgstr ""
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr ""
@@ -839,7 +844,7 @@ msgstr "Dún an íomhá"
msgid "Close image viewer"
msgstr "Dún amharcóir na n-íomhánna"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Dún an buntásc"
@@ -848,7 +853,7 @@ msgstr "Dún an buntásc"
msgid "Close this dialog"
msgstr ""
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Dúnann sé seo an barra nascleanúna ag an mbun"
@@ -864,7 +869,7 @@ msgstr "Dúnann sé seo cumadóir na postálacha agus ní shábhálann sé an dr
msgid "Closes viewer for header image"
msgstr "Dúnann sé seo an t-amharcóir le haghaidh íomhá an cheanntáisc"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Laghdaíonn sé seo liosta na n-úsáideoirí le haghaidh an fhógra sin"
@@ -885,7 +890,7 @@ msgstr "Treoirlínte an phobail"
msgid "Complete onboarding and start using your account"
msgstr "Críochnaigh agus tosaigh ag baint úsáide as do chuntas."
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "Freagair an dúshlán"
@@ -965,7 +970,7 @@ msgstr "Cód dearbhaithe"
msgid "Connecting..."
msgstr "Ag nascadh…"
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Teagmháil le Support"
@@ -1019,8 +1024,8 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Lean ar aghaidh"
@@ -1033,7 +1038,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Lean ar aghaidh go dtí an chéad chéim eile"
@@ -1054,17 +1059,21 @@ msgstr "Cócaireacht"
msgid "Copied"
msgstr "Cóipeáilte"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Leagan cóipeáilte sa ghearrthaisce"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "Cóipeáilte sa ghearrthaisce"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Cóipeálann sé seo pasfhocal na haipe"
@@ -1077,12 +1086,17 @@ msgstr "Cóipeáil"
msgid "Copy {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Cóipeáil an nasc leis an liosta"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Cóipeáil an nasc leis an bpostáil"
@@ -1090,8 +1104,8 @@ msgstr "Cóipeáil an nasc leis an bpostáil"
#~ msgid "Copy link to profile"
#~ msgstr "Cóipeáil an nasc leis an bpróifíl"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Cóipeáil téacs na postála"
@@ -1104,7 +1118,7 @@ msgstr "An polasaí maidir le cóipcheart"
msgid "Could not load feed"
msgstr "Ní féidir an fotha a lódáil"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "Ní féidir an liosta a lódáil"
@@ -1112,31 +1126,34 @@ msgstr "Ní féidir an liosta a lódáil"
#~ msgid "Country"
#~ msgstr "Tír"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Cruthaigh cuntas nua"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Cruthaigh cuntas nua Bluesky"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Cruthaigh cuntas"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "Cruthaigh pasfhocal aipe"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Cruthaigh cuntas nua"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr ""
@@ -1170,7 +1187,7 @@ msgid "Custom domain"
msgstr "Sainfhearann"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "Cruthaíonn an pobal fothaí chun eispéiris nua a chur ar fáil duit, agus chun cabhrú leat teacht ar an ábhar a thaitníonn leat"
@@ -1182,8 +1199,8 @@ msgstr "Oiriúnaigh na meáin ó shuíomhanna seachtracha"
#~ msgid "Danger Zone"
#~ msgstr "Limistéar Contúirte"
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Dorcha"
@@ -1191,15 +1208,15 @@ msgstr "Dorcha"
msgid "Dark mode"
msgstr "Modh dorcha"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Téama Dorcha"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1207,13 +1224,13 @@ msgstr ""
msgid "Debug panel"
msgstr "Painéal dífhabhtaithe"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr ""
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Scrios an cuntas"
@@ -1229,7 +1246,7 @@ msgstr "Scrios pasfhocal na haipe"
msgid "Delete app password?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Scrios an liosta"
@@ -1241,24 +1258,24 @@ msgstr "Scrios mo chuntas"
#~ msgid "Delete my account…"
#~ msgstr "Scrios mo chuntas"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Scrios mo chuntas…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Scrios an phostáil"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "An bhfuil fonn ort an phostáil seo a scriosadh?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Scriosta"
@@ -1281,10 +1298,18 @@ msgstr "Cur síos"
msgid "Did you want to say anything?"
msgstr "Ar mhaith leat rud éigin a rá?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Breacdhorcha"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1318,7 +1343,7 @@ msgstr "Aimsigh sainfhothaí nua"
#~ msgid "Discover new feeds"
#~ msgstr "Aimsigh fothaí nua"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "Aimsigh Fothaí Nua"
@@ -1338,7 +1363,7 @@ msgstr ""
msgid "Does not include nudity."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1354,19 +1379,6 @@ msgstr "Fearann dearbhaithe!"
#~ msgid "Don't have an invite code?"
#~ msgstr "Níl cód cuiridh agat?"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
-#: src/view/com/modals/EditImage.tsx:334
-#: src/view/com/modals/ListAddRemoveUsers.tsx:144
-#: src/view/com/modals/SelfLabel.tsx:157
-#: src/view/com/modals/Threadgate.tsx:129
-#: src/view/com/modals/Threadgate.tsx:132
-#: src/view/com/modals/UserAddRemoveLists.tsx:95
-#: src/view/com/modals/UserAddRemoveLists.tsx:98
-#: src/view/screens/PreferencesThreads.tsx:162
-msgctxt "action"
-msgid "Done"
-msgstr "Déanta"
-
#: src/components/dialogs/BirthDateSettings.tsx:119
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/components/forms/DateField/index.tsx:74
@@ -1385,6 +1397,19 @@ msgstr "Déanta"
msgid "Done"
msgstr "Déanta"
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
+#: src/view/com/modals/EditImage.tsx:334
+#: src/view/com/modals/ListAddRemoveUsers.tsx:144
+#: src/view/com/modals/SelfLabel.tsx:157
+#: src/view/com/modals/Threadgate.tsx:129
+#: src/view/com/modals/Threadgate.tsx:132
+#: src/view/com/modals/UserAddRemoveLists.tsx:95
+#: src/view/com/modals/UserAddRemoveLists.tsx:98
+#: src/view/screens/PreferencesThreads.tsx:162
+msgctxt "action"
+msgid "Done"
+msgstr "Déanta"
+
#: src/view/com/modals/lang-settings/ConfirmLanguagesButton.tsx:43
msgid "Done{extraText}"
msgstr "Déanta{extraText}"
@@ -1455,7 +1480,7 @@ msgctxt "action"
msgid "Edit"
msgstr "Eagar"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr ""
@@ -1465,7 +1490,7 @@ msgstr ""
msgid "Edit image"
msgstr "Cuir an íomhá seo in eagar"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Athraigh mionsonraí an liosta"
@@ -1474,8 +1499,8 @@ msgid "Edit Moderation List"
msgstr "Athraigh liosta na modhnóireachta"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Athraigh mo chuid fothaí"
@@ -1483,18 +1508,18 @@ msgstr "Athraigh mo chuid fothaí"
msgid "Edit my profile"
msgstr "Athraigh mo phróifíl"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Athraigh an phróifíl"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Athraigh an Phróifíl"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Athraigh na fothaí sábháilte"
@@ -1536,10 +1561,24 @@ msgstr "Seoladh ríomhphoist uasdátaithe"
msgid "Email verified"
msgstr "Ríomhphost dearbhaithe"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "Ríomhphost:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Cuir {0} amháin ar fáil"
@@ -1582,7 +1621,7 @@ msgstr ""
msgid "Enabled"
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Deireadh an fhotha"
@@ -1624,7 +1663,7 @@ msgstr "Cuir isteach do bhreithlá"
#~ msgstr "Cuir isteach do sheoladh ríomhphoist"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Cuir isteach do sheoladh ríomhphoist"
@@ -1648,7 +1687,7 @@ msgstr "Cuir isteach do leasainm agus do phasfhocal"
msgid "Error receiving captcha response."
msgstr "Earráid agus an freagra ar an captcha á phróiseáil."
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Earráid:"
@@ -1689,8 +1728,8 @@ msgstr "Fágann sé seo an cuardach"
msgid "Expand alt text"
msgstr "Taispeáin an téacs malartach ina iomláine"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Leathnaigh nó laghdaigh an téacs iomlán a bhfuil tú ag freagairt"
@@ -1702,12 +1741,12 @@ msgstr ""
msgid "Explicit sexual images."
msgstr ""
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "Easpórtáil mo chuid sonraí"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "Easpórtáil mo chuid sonraí"
@@ -1723,11 +1762,11 @@ msgstr "Is féidir le meáin sheachtracha cumas a thabhairt do shuíomhanna ar a
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Roghanna maidir le meáin sheachtracha"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Socruithe maidir le meáin sheachtracha"
@@ -1740,12 +1779,12 @@ msgstr "Teip ar phasfhocal aipe a chruthú."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "Teip ar chruthú an liosta. Seiceáil do nasc leis an idirlíon agus déan iarracht eile."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "Teip ar scriosadh na postála. Déan iarracht eile."
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Teip ar lódáil na bhfothaí molta"
@@ -1761,7 +1800,7 @@ msgstr "Fotha"
msgid "Feed by {0}"
msgstr "Fotha le {0}"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Fotha as líne"
@@ -1770,18 +1809,18 @@ msgstr "Fotha as líne"
#~ msgstr "Roghanna fotha"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Aiseolas"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Fothaí"
@@ -1793,11 +1832,11 @@ msgstr "Fothaí"
#~ msgid "Feeds are created by users and organizations. They offer you varied experiences and suggest content you may like using algorithms."
#~ msgstr "Is iad úsáideoirí agus eagraíochtaí a chruthaíonn na fothaí. Is féidir leo radharcanna úrnua a oscailt duit."
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Is iad na húsáideoirí a chruthaíonn na fothaí le hábhar is spéis leo a chur ar fáil. Roghnaigh cúpla fotha a bhfuil suim agat iontu."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Is sainalgartaim iad na fothaí. Cruthaíonn úsáideoirí a bhfuil beagán taithí acu ar chódáil iad. <0/> le tuilleadh eolais a fháil."
@@ -1823,11 +1862,11 @@ msgstr "Ag cur crích air"
msgid "Find accounts to follow"
msgstr "Aimsigh fothaí le leanúint"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Aimsigh úsáideoirí ar Bluesky"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Aimsigh úsáideoirí leis an uirlis chuardaigh ar dheis"
@@ -1865,10 +1904,10 @@ msgid "Flip vertically"
msgstr "Iompaigh go hingearach é"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Lean"
@@ -1900,11 +1939,11 @@ msgstr ""
msgid "Follow selected accounts and continue to the next step"
msgstr "Lean na cuntais roghnaithe agus téigh ar aghaidh go dtí an chéad chéim eile"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Lean cúpla cuntas mar thosú. Tig linn níos mó úsáideoirí a mholadh duit a mbeadh suim agat iontu."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "Leanta ag {0}"
@@ -1916,7 +1955,7 @@ msgstr "Cuntais a leanann tú"
msgid "Followed users only"
msgstr "Cuntais a leanann tú amháin"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "— lean sé/sí thú"
@@ -1925,7 +1964,7 @@ msgstr "— lean sé/sí thú"
msgid "Followers"
msgstr "Leantóirí"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1936,15 +1975,15 @@ msgstr "Á leanúint"
msgid "Following {0}"
msgstr "Ag leanúint {0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr ""
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr ""
@@ -1952,7 +1991,7 @@ msgstr ""
msgid "Follows you"
msgstr "Leanann sé/sí thú"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Leanann sé/sí thú"
@@ -1998,7 +2037,7 @@ msgstr ""
msgid "From @{sanitizedAuthor}"
msgstr ""
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "Ó <0/>"
@@ -2022,7 +2061,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Ar ais"
@@ -2032,15 +2071,15 @@ msgstr "Ar ais"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Ar ais"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "Fill ar an gcéim roimhe seo"
@@ -2052,7 +2091,7 @@ msgstr ""
msgid "Go Home"
msgstr ""
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "Téigh go dtí @{queryMaybeHandle}"
@@ -2078,16 +2117,16 @@ msgstr ""
msgid "Hashtag"
msgstr ""
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr ""
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "Fadhb ort?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Cúnamh"
@@ -2116,17 +2155,17 @@ msgstr "Seo é do phasfhocal aipe."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Cuir i bhfolach"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "Cuir i bhfolach"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Cuir an phostáil seo i bhfolach"
@@ -2135,11 +2174,11 @@ msgstr "Cuir an phostáil seo i bhfolach"
msgid "Hide the content"
msgstr "Cuir an t-ábhar seo i bhfolach"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "An bhfuil fonn ort an phostáil seo a chur i bhfolach?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Cuir liosta na gcuntas i bhfolach"
@@ -2175,11 +2214,11 @@ msgstr ""
msgid "Hmmmm, we couldn't load that moderation service."
msgstr ""
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Baile"
@@ -2229,11 +2268,11 @@ msgstr "Mura roghnaítear tada, tá sé oiriúnach do gach aois."
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr ""
@@ -2318,7 +2357,7 @@ msgstr "Cuir isteach do phasfhocal"
msgid "Input your preferred hosting provider"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Cuir isteach do leasainm"
@@ -2362,8 +2401,7 @@ msgstr "Cóid chuiridh: 1 ar fáil"
msgid "It shows posts from the people you follow as they happen."
msgstr "Taispeánann sé postálacha ó na daoine a leanann tú nuair a fhoilsítear iad."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Jabanna"
@@ -2396,11 +2434,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2420,7 +2458,7 @@ msgstr ""
msgid "Language selection"
msgstr "Rogha teanga"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Socruithe teanga"
@@ -2429,7 +2467,7 @@ msgstr "Socruithe teanga"
msgid "Language Settings"
msgstr "Socruithe teanga"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Teangacha"
@@ -2437,6 +2475,10 @@ msgstr "Teangacha"
#~ msgid "Last step!"
#~ msgstr "An chéim dheireanach!"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr "Le tuilleadh a fhoghlaim"
@@ -2475,7 +2517,7 @@ msgstr "Ag fágáil slán ag Bluesky"
msgid "left to go."
msgstr "le déanamh fós."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "Stóráil oidhreachta scriosta, tá ort an aip a atosú anois."
@@ -2493,16 +2535,16 @@ msgstr "Ar aghaidh linn!"
#~ msgid "Library"
#~ msgstr "Leabharlann"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Sorcha"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "Mol"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Mol an fotha seo"
@@ -2526,21 +2568,21 @@ msgstr "Molta ag {0} {1}"
msgid "Liked by {count} {0}"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "Molta ag {likeCount} {0}"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "a mhol do shainfhotha"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "a mhol do phostáil"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Moltaí"
@@ -2556,7 +2598,7 @@ msgstr "Liosta"
msgid "List Avatar"
msgstr "Abhatár an Liosta"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Liosta blocáilte"
@@ -2564,11 +2606,11 @@ msgstr "Liosta blocáilte"
msgid "List by {0}"
msgstr "Liosta le {0}"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Scriosadh an liosta"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Balbhaíodh an liosta"
@@ -2576,20 +2618,20 @@ msgstr "Balbhaíodh an liosta"
msgid "List Name"
msgstr "Ainm an liosta"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Liosta díbhlocáilte"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Liosta nach bhfuil balbhaithe níos mó"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Liostaí"
@@ -2602,10 +2644,10 @@ msgstr "Liostaí"
msgid "Load new notifications"
msgstr "Lódáil fógraí nua"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Lódáil postálacha nua"
@@ -2648,7 +2690,7 @@ msgstr "Bí cinnte go bhfuil tú ag iarraidh cuairt a thabhairt ar an áit sin!"
msgid "Manage your muted words and tags"
msgstr ""
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Meáin"
@@ -2661,7 +2703,7 @@ msgid "Mentioned users"
msgstr "Úsáideoirí luaite"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Clár"
@@ -2675,10 +2717,10 @@ msgstr ""
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Modhnóireacht"
@@ -2691,13 +2733,13 @@ msgstr ""
msgid "Moderation list by {0}"
msgstr "Liosta modhnóireachta le {0}"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "Liosta modhnóireachta le <0/>"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Liosta modhnóireachta leat"
@@ -2718,7 +2760,7 @@ msgstr "Liostaí modhnóireachta"
msgid "Moderation Lists"
msgstr "Liostaí modhnóireachta"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Socruithe modhnóireachta"
@@ -2735,7 +2777,7 @@ msgstr ""
msgid "Moderator has chosen to set a general warning on the content."
msgstr "Chuir an modhnóir rabhadh ginearálta ar an ábhar."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr ""
@@ -2743,7 +2785,7 @@ msgstr ""
msgid "More feeds"
msgstr "Tuilleadh fothaí"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Tuilleadh roghanna"
@@ -2768,7 +2810,7 @@ msgstr ""
msgid "Mute Account"
msgstr "Cuir an cuntas i bhfolach"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Cuir na cuntais i bhfolach"
@@ -2784,12 +2826,12 @@ msgstr ""
msgid "Mute in text & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Cuir an liosta i bhfolach"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "An bhfuil fonn ort na cuntais seo a chur i bhfolach"
@@ -2805,13 +2847,13 @@ msgstr ""
msgid "Mute this word in tags only"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Cuir an snáithe seo i bhfolach"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr ""
@@ -2824,11 +2866,11 @@ msgid "Muted accounts"
msgstr "Cuntais a cuireadh i bhfolach"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Cuntais a Cuireadh i bhFolach"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Baintear na postálacha ó na cuntais a chuir tú i bhfolach as d’fhotha agus as do chuid fógraí. Is príobháideach ar fad é an cur i bhfolach."
@@ -2840,7 +2882,7 @@ msgstr ""
msgid "Muted words & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Tá an cur i bhfolach príobháideach. Is féidir leis na cuntais a chuir tú i bhfolach do chuid postálacha a fheiceáil agus is féidir leo scríobh chugat ach ní fheicfidh tú a gcuid postálacha eile ná aon fhógraí uathu."
@@ -2849,7 +2891,7 @@ msgstr "Tá an cur i bhfolach príobháideach. Is féidir leis na cuntais a chui
msgid "My Birthday"
msgstr "Mo Bhreithlá"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Mo Chuid Fothaí"
@@ -2857,11 +2899,11 @@ msgstr "Mo Chuid Fothaí"
msgid "My Profile"
msgstr "Mo Phróifíl"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "Na Fothaí a Shábháil Mé"
@@ -2892,7 +2934,7 @@ msgid "Nature"
msgstr "Nádúr"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Téann sé seo chuig an gcéad scáileán eile"
@@ -2901,7 +2943,7 @@ msgstr "Téann sé seo chuig an gcéad scáileán eile"
msgid "Navigates to your profile"
msgstr "Téann sé seo chuig do phróifíl"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr ""
@@ -2949,12 +2991,12 @@ msgctxt "action"
msgid "New post"
msgstr "Postáil nua"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Postáil nua"
@@ -2978,12 +3020,12 @@ msgstr "Nuacht"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3007,8 +3049,8 @@ msgstr "An chéad íomhá eile"
msgid "No"
msgstr "Níl"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Gan chur síos"
@@ -3020,7 +3062,7 @@ msgstr ""
msgid "No longer following {0}"
msgstr "Ní leantar {0} níos mó"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -3037,13 +3079,13 @@ msgstr "Gan torthaí"
msgid "No results found"
msgstr ""
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "Gan torthaí ar “{query}”"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "Gan torthaí ar {query}"
@@ -3070,7 +3112,7 @@ msgid "Not Applicable."
msgstr "Ní bhaineann sé sin le hábhar."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "Ní bhfuarthas é sin"
@@ -3080,8 +3122,8 @@ msgid "Not right now"
msgstr "Ní anois"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -3089,13 +3131,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Nod leat: is gréasán oscailte poiblí Bluesky. Ní chuireann an socrú seo srian ar fheiceálacht do chuid ábhair ach amháin ar aip agus suíomh Bluesky. Is féidir nach gcloífidh aipeanna eile leis an socrú seo. Is féidir go dtaispeánfar do chuid ábhair d’úsáideoirí atá lógáilte amach ar aipeanna agus suíomhanna eile."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Fógraí"
@@ -3107,7 +3149,7 @@ msgstr "Lomnochtacht"
msgid "Nudity or adult content not labeled as such"
msgstr ""
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -3124,7 +3166,7 @@ msgid "Oh no! Something went wrong."
msgstr "Úps! Theip ar rud éigin."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr ""
@@ -3136,7 +3178,7 @@ msgstr "Maith go leor"
msgid "Oldest replies first"
msgstr "Na freagraí is sine ar dtús"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Atosú an chláraithe"
@@ -3148,7 +3190,7 @@ msgstr "Tá téacs malartach de dhíth ar íomhá amháin nó níos mó acu."
msgid "Only {0} can reply."
msgstr "Ní féidir ach le {0} freagra a thabhairt."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -3158,7 +3200,7 @@ msgstr ""
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Úps!"
@@ -3171,11 +3213,11 @@ msgstr "Oscail"
msgid "Open emoji picker"
msgstr "Oscail roghnóir na n-emoji"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Oscail nascanna leis an mbrabhsálaí san aip"
@@ -3183,20 +3225,20 @@ msgstr "Oscail nascanna leis an mbrabhsálaí san aip"
msgid "Open muted words and tags settings"
msgstr ""
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Oscail an nascleanúint"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Oscail leathanach an Storybook"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr ""
@@ -3208,7 +3250,7 @@ msgstr "Osclaíonn sé seo {numItems} rogha"
msgid "Opens additional details for a debug entry"
msgstr "Osclaíonn sé seo tuilleadh sonraí le haghaidh iontráil dífhabhtaithe"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "Osclaíonn sé seo liosta méadaithe d’úsáideoirí san fhógra seo"
@@ -3220,7 +3262,7 @@ msgstr "Osclaíonn sé seo an ceamara ar an ngléas"
msgid "Opens composer"
msgstr "Osclaíonn sé seo an t-eagarthóir"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Osclaíonn sé seo na socruithe teanga is féidir a dhéanamh"
@@ -3232,19 +3274,17 @@ msgstr "Osclaíonn sé seo gailearaí na ngrianghraf ar an ngléas"
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr "Osclaíonn sé seo an t-eagarthóir le haghaidh gach a bhfuil i do phróifíl: an t-ainm, an t-abhatár, an íomhá sa chúlra, agus an cur síos."
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Osclaíonn sé seo na socruithe le haghaidh leabuithe seachtracha"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr ""
@@ -3264,7 +3304,7 @@ msgstr ""
msgid "Opens list of invite codes"
msgstr "Osclaíonn sé seo liosta na gcód cuiridh"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
@@ -3272,19 +3312,19 @@ msgstr ""
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr "Osclaíonn sé seo an fhuinneog le scriosadh an chuntais a dhearbhú. Tá cód ríomhphoist riachtanach."
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3292,7 +3332,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr "Osclaíonn sé seo an fhuinneog le sainfhearann a úsáid"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Osclaíonn sé seo socruithe na modhnóireachta"
@@ -3300,16 +3340,16 @@ msgstr "Osclaíonn sé seo socruithe na modhnóireachta"
msgid "Opens password reset form"
msgstr "Osclaíonn sé seo an fhoirm leis an bpasfhocal a athrú"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Osclaíonn sé seo an scáileán leis na fothaí sábháilte a athrú"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Osclaíonn sé seo an scáileán leis na fothaí sábháilte go léir"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr ""
@@ -3317,7 +3357,7 @@ msgstr ""
#~ msgid "Opens the app password settings page"
#~ msgstr "Osclaíonn sé seo an leathanach a bhfuil socruithe phasfhocal na haipe air"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr ""
@@ -3329,16 +3369,16 @@ msgstr ""
msgid "Opens the linked website"
msgstr ""
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Osclaíonn sé seo leathanach an Storybook"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Osclaíonn sé seo logleabhar an chórais"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Osclaíonn sé seo roghanna na snáitheanna"
@@ -3346,7 +3386,7 @@ msgstr "Osclaíonn sé seo roghanna na snáitheanna"
msgid "Option {0} of {numItems}"
msgstr "Rogha {0} as {numItems}"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr ""
@@ -3380,7 +3420,7 @@ msgid "Page Not Found"
msgstr "Leathanach gan aimsiú"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3398,6 +3438,11 @@ msgstr "Pasfhocal uasdátaithe"
msgid "Password updated!"
msgstr "Pasfhocal uasdátaithe!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "Na daoine atá leanta ag @{0}"
@@ -3426,16 +3471,16 @@ msgstr "Peataí"
msgid "Pictures meant for adults."
msgstr "Pictiúir le haghaidh daoine fásta."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "Greamaigh le baile"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Fothaí greamaithe"
@@ -3551,7 +3596,7 @@ msgstr "Postáil ó {0}"
msgid "Post by @{0}"
msgstr "Postáil ó @{0}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Scriosadh an phostáil"
@@ -3586,7 +3631,8 @@ msgstr "Ní bhfuarthas an phostáil"
msgid "posts"
msgstr ""
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Postálacha"
@@ -3602,13 +3648,13 @@ msgstr "Cuireadh na postálacha i bhfolach"
msgid "Potentially Misleading Link"
msgstr "Is féidir go bhfuil an nasc seo míthreorach."
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr ""
@@ -3624,7 +3670,7 @@ msgstr "Príomhtheanga"
msgid "Prioritize Your Follows"
msgstr "Tabhair Tosaíocht do Do Chuid Leantóirí"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Príobháideacht"
@@ -3632,8 +3678,8 @@ msgstr "Príobháideacht"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Polasaí príobháideachta"
@@ -3642,15 +3688,15 @@ msgid "Processing..."
msgstr "Á phróiseáil..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Próifíl"
@@ -3658,7 +3704,7 @@ msgstr "Próifíl"
msgid "Profile updated"
msgstr "Próifíl uasdátaithe"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Dearbhaigh do ríomhphost le do chuntas a chosaint."
@@ -3704,15 +3750,15 @@ msgstr "Randamach"
msgid "Ratios"
msgstr "Cóimheasa"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Fothaí molta"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Cuntais mholta"
@@ -3733,7 +3779,7 @@ msgstr "Scrios"
msgid "Remove account"
msgstr "Bain an cuntas de"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr ""
@@ -3751,8 +3797,8 @@ msgstr ""
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Bain de mo chuid fothaí"
@@ -3797,7 +3843,7 @@ msgstr "Baineadh den liosta é"
msgid "Removed from my feeds"
msgstr "Baineadh de do chuid fothaí é"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr ""
@@ -3805,7 +3851,7 @@ msgstr ""
msgid "Removes default thumbnail from {0}"
msgstr "Baineann sé seo an mhionsamhail réamhshocraithe de {0}"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Freagraí"
@@ -3822,8 +3868,8 @@ msgstr "Freagair"
msgid "Reply Filters"
msgstr "Scagairí freagra"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "Freagra ar <0/>"
@@ -3841,17 +3887,17 @@ msgstr "Déan gearán faoi chuntas"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Déan gearán faoi fhotha"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Déan gearán faoi liosta"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Déan gearán faoi phostáil"
@@ -3896,15 +3942,19 @@ msgstr "Athphostáil nó luaigh postáil"
msgid "Reposted By"
msgstr "Athphostáilte ag"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "Athphostáilte ag {0}"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "Athphostáilte ag <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "Athphostáilte ag <0/>"
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
+
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "— d'athphostáil sé/sí do phostáil"
@@ -3926,7 +3976,7 @@ msgstr "Iarr Athrú"
msgid "Request Code"
msgstr "Iarr Cód"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Bíodh téacs malartach ann roimh phostáil i gcónaí"
@@ -3946,8 +3996,8 @@ msgstr "Cód Athshocraithe"
#~ msgid "Reset onboarding"
#~ msgstr "Athshocraigh an próiseas cláraithe"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Athshocraigh an próiseas cláraithe"
@@ -3959,16 +4009,16 @@ msgstr "Athshocraigh an pasfhocal"
#~ msgid "Reset preferences"
#~ msgstr "Athshocraigh na roghanna"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Athshocraigh na roghanna"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Athshocraíonn sé seo an clárú"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Athshocraíonn sé seo na roghanna"
@@ -3987,7 +4037,7 @@ msgstr "Baineann sé seo triail eile as an ngníomh is déanaí, ar theip air"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
@@ -3998,7 +4048,7 @@ msgstr "Bain triail eile as"
#~ msgstr "Bain triail eile as."
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Fill ar an leathanach roimhe seo"
@@ -4015,12 +4065,6 @@ msgstr ""
#~ msgid "SANDBOX. Posts and accounts are not permanent."
#~ msgstr "BOSCA GAINIMH. Ní choinneofar póstálacha ná cuntais."
-#: src/view/com/lightbox/Lightbox.tsx:132
-#: src/view/com/modals/CreateOrEditList.tsx:346
-msgctxt "action"
-msgid "Save"
-msgstr "Sábháil"
-
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/view/com/modals/ChangeHandle.tsx:174
#: src/view/com/modals/CreateOrEditList.tsx:338
@@ -4028,6 +4072,12 @@ msgstr "Sábháil"
msgid "Save"
msgstr "Sábháil"
+#: src/view/com/lightbox/Lightbox.tsx:132
+#: src/view/com/modals/CreateOrEditList.tsx:346
+msgctxt "action"
+msgid "Save"
+msgstr "Sábháil"
+
#: src/view/com/modals/AltImage.tsx:131
msgid "Save alt text"
msgstr "Sábháil an téacs malartach"
@@ -4048,12 +4098,12 @@ msgstr "Sábháil an leasainm nua"
msgid "Save image crop"
msgstr "Sábháil an pictiúr bearrtha"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Fothaí Sábháilte"
@@ -4061,7 +4111,7 @@ msgstr "Fothaí Sábháilte"
msgid "Saved to your camera roll."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr ""
@@ -4081,28 +4131,28 @@ msgstr ""
msgid "Science"
msgstr "Eolaíocht"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Fill ar an mbarr"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Cuardaigh"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "Déan cuardach ar “{query}”"
@@ -4141,13 +4191,18 @@ msgstr ""
msgid "See <0>{displayTag}0> posts by this user"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Féach ar an treoirleabhar seo"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Féach an chéad rud eile"
+#~ msgid "See what's next"
+#~ msgstr "Féach an chéad rud eile"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4186,7 +4241,7 @@ msgstr "Roghnaigh rogha {i} as {numItems}"
msgid "Select some accounts below to follow"
msgstr "Roghnaigh cúpla cuntas le leanúint"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4218,7 +4273,7 @@ msgstr "Roghnaigh na teangacha ba mhaith leat a fheiceáil i do chuid fothaí. M
msgid "Select your app language for the default text to display in the app."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4256,13 +4311,13 @@ msgctxt "action"
msgid "Send Email"
msgstr "Seol ríomhphost"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Seol aiseolas"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr ""
@@ -4356,23 +4411,23 @@ msgstr "Socraigh do chuntas"
msgid "Sets Bluesky username"
msgstr "Socraíonn sé seo d'ainm úsáideora ar Bluesky"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr ""
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr ""
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr ""
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr ""
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr ""
@@ -4402,10 +4457,10 @@ msgstr ""
#~ msgstr "Socraíonn sé seo freastalaí an chliaint Bluesky"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Socruithe"
@@ -4424,21 +4479,21 @@ msgstr "Comhroinn"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Comhroinn"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Comhroinn an fotha"
@@ -4455,7 +4510,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Taispeáin"
@@ -4485,9 +4540,9 @@ msgstr ""
msgid "Show follows similar to {0}"
msgstr "Taispeáin cuntais cosúil le {0}"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Tuilleadh"
@@ -4544,7 +4599,7 @@ msgstr "Taispeáin athphostálacha san fhotha “Á Leanúint”"
msgid "Show the content"
msgstr "Taispeáin an t-ábhar"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Taispeáin úsáideoirí"
@@ -4564,24 +4619,24 @@ msgstr ""
msgid "Shows posts from {0} in your feed"
msgstr "Taispeánann sé seo postálacha ó {0} i d'fhotha"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Logáil isteach"
@@ -4599,28 +4654,36 @@ msgstr "Logáil isteach mar {0}"
msgid "Sign in as..."
msgstr "Logáil isteach mar..."
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:137
#~ msgid "Sign into"
#~ msgstr "Logáil isteach i"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Logáil amach"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Cláraigh"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Cláraigh nó logáil isteach chun páirt a ghlacadh sa chomhrá"
@@ -4629,7 +4692,7 @@ msgstr "Cláraigh nó logáil isteach chun páirt a ghlacadh sa chomhrá"
msgid "Sign-in Required"
msgstr "Caithfidh tú logáil isteach"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Logáilte isteach mar"
@@ -4665,7 +4728,7 @@ msgstr "Forbairt Bogearraí"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr ""
@@ -4673,7 +4736,7 @@ msgstr ""
#~ msgid "Something went wrong. Check your email and try again."
#~ msgstr "Chuaigh rud éigin ó rath. Féach ar do ríomhphost agus bain triail eile as."
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "Ár leithscéal. Chuaigh do sheisiún i léig. Ní mór duit logáil isteach arís."
@@ -4709,11 +4772,11 @@ msgstr "Cearnóg"
#~ msgid "Staging"
#~ msgstr "Freastalaí tástála"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Leathanach stádais"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4721,12 +4784,12 @@ msgstr ""
#~ msgid "Step {0} of {numSteps}"
#~ msgstr "Céim {0} as {numSteps}"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "Stóráil scriosta, tá ort an aip a atosú anois."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Storybook"
@@ -4735,15 +4798,15 @@ msgstr "Storybook"
msgid "Submit"
msgstr "Seol"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Liostáil"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4752,15 +4815,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr "Liostáil leis an bhfotha {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Liostáil leis an liosta seo"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Cuntais le leanúint"
@@ -4787,19 +4850,19 @@ msgstr "Tacaíocht"
msgid "Switch Account"
msgstr "Athraigh an cuntas"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "Athraigh go {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Athraíonn sé seo an cuntas beo"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "Córas"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Logleabhar an chórais"
@@ -4829,9 +4892,9 @@ msgstr "Téarmaí"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Téarmaí Seirbhíse"
@@ -4849,7 +4912,7 @@ msgstr ""
msgid "Text input field"
msgstr "Réimse téacs"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr ""
@@ -4857,11 +4920,11 @@ msgstr ""
msgid "That contains the following:"
msgstr ""
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "Tá an leasainm sin in úsáid cheana féin."
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "Beidh an cuntas seo in ann caidreamh a dhéanamh leat tar éis duit é a dhíbhlocáil"
@@ -4911,8 +4974,8 @@ msgstr "Bogadh ár dTéarmaí Seirbhíse go dtí"
msgid "There are many feeds to try:"
msgstr "Tá a lán fothaí ann le blaiseadh:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Bhí fadhb ann maidir le dul i dteagmháil leis an bhfreastalaí. Seiceáil do cheangal leis an idirlíon agus bain triail eile as, le do thoil."
@@ -4920,15 +4983,15 @@ msgstr "Bhí fadhb ann maidir le dul i dteagmháil leis an bhfreastalaí. Seice
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Bhí fadhb ann maidir leis an bhfotha seo a bhaint. Seiceáil do cheangal leis an idirlíon agus bain triail eile as, le do thoil."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Bhí fadhb ann maidir le huasdátú do chuid fothaí. Seiceáil do cheangal leis an idirlíon agus bain triail eile as, le do thoil."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "Bhí fadhb ann maidir le teagmháil a dhéanamh leis an bhfreastalaí"
@@ -4951,12 +5014,12 @@ msgstr "Bhí fadhb ann maidir le postálacha a fháil. Tapáil anseo le triail e
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Bhí fadhb ann maidir leis an liosta a fháil. Tapáil anseo le triail eile a bhaint as."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Bhí fadhb ann maidir le do chuid liostaí a fháil. Tapáil anseo le triail eile a bhaint as."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr ""
@@ -4982,10 +5045,10 @@ msgstr "Bhí fadhb ann maidir le do chuid pasfhocal don aip a fháil"
msgid "There was an issue! {0}"
msgstr "Bhí fadhb ann! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Bhí fadhb ann. Seiceáil do cheangal leis an idirlíon, le do thoil, agus bain triail eile as."
@@ -5050,9 +5113,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Tá ráchairt an-mhór ar an bhfotha seo faoi láthair. Níl sé ar fáil anois díreach dá bhrí sin. Bain triail eile as níos déanaí, le do thoil."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Tá an fotha seo folamh!"
@@ -5072,7 +5135,7 @@ msgstr "Tá sé seo tábhachtach má bhíonn ort do ríomhphost nó do phasfhoca
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -5080,7 +5143,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr "Téann an nasc seo go dtí an suíomh idirlín seo:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "Tá an liosta seo folamh!"
@@ -5096,12 +5159,12 @@ msgstr "Tá an t-ainm seo in úsáid cheana féin"
msgid "This post has been deleted."
msgstr "Scriosadh an phostáil seo."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr ""
@@ -5166,12 +5229,12 @@ msgstr ""
#~ msgid "This will hide this post from your feeds."
#~ msgstr "Leis seo ní bheidh an phostáil seo le feiceáil ar do chuid fothaí."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr ""
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Roghanna Snáitheanna"
@@ -5199,14 +5262,18 @@ msgstr "Scoránaigh an bosca anuas"
msgid "Toggle to enable or disable adult content"
msgstr ""
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Trasfhoirmithe"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Aistrigh"
@@ -5219,11 +5286,11 @@ msgstr "Bain triail eile as"
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Díbhlocáil an liosta"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Ná coinnigh an liosta sin i bhfolach níos mó"
@@ -5231,15 +5298,15 @@ msgstr "Ná coinnigh an liosta sin i bhfolach níos mó"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "Ní féidir teagmháil a dhéanamh le do sheirbhís. Seiceáil do cheangal leis an idirlíon, le do thoil."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Díbhlocáil"
@@ -5253,7 +5320,7 @@ msgstr "Díbhlocáil"
msgid "Unblock Account"
msgstr "Díbhlocáil an cuntas"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr ""
@@ -5266,7 +5333,7 @@ msgid "Undo repost"
msgstr "Cuir stop leis an athphostáil"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr ""
@@ -5288,16 +5355,16 @@ msgstr ""
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "Ar an drochuair, ní chomhlíonann tú na riachtanais le cuntas a chruthú."
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "Dímhol"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr ""
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Ná coinnigh i bhfolach"
@@ -5314,21 +5381,21 @@ msgstr "Ná coinnigh an cuntas seo i bhfolach níos mó"
msgid "Unmute all {displayTag} posts"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Ná coinnigh an snáithe seo i bhfolach níos mó"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Díghreamaigh"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr ""
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Díghreamaigh an liosta modhnóireachta"
@@ -5336,11 +5403,11 @@ msgstr "Díghreamaigh an liosta modhnóireachta"
#~ msgid "Unsave"
#~ msgstr "Díshábháil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5368,20 +5435,20 @@ msgstr "Á uasdátú…"
msgid "Upload a text file to:"
msgstr "Uaslódáil comhad téacs chuig:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5459,13 +5526,13 @@ msgstr "Blocálann an t-úsáideoir seo thú"
msgid "User list by {0}"
msgstr "Liosta úsáideoirí le {0}"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "Liosta úsáideoirí le <0/>"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "Liosta úsáideoirí leat"
@@ -5485,7 +5552,9 @@ msgstr "Liostaí Úsáideoirí"
msgid "Username or email address"
msgstr "Ainm úsáideora nó ríomhphost"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Úsáideoirí"
@@ -5513,15 +5582,15 @@ msgstr ""
msgid "Verify {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "Dearbhaigh ríomhphost"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Dearbhaigh mo ríomhphost"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Dearbhaigh Mo Ríomhphost"
@@ -5534,7 +5603,7 @@ msgstr "Dearbhaigh an Ríomhphost Nua"
msgid "Verify Your Email"
msgstr "Dearbhaigh Do Ríomhphost"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5550,11 +5619,11 @@ msgstr "Féach ar an abhatár atá ag {0}"
msgid "View debug entry"
msgstr "Féach ar an iontráil dífhabhtaithe"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr ""
@@ -5566,6 +5635,8 @@ msgstr "Féach ar an snáithe iomlán"
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Féach ar an bpróifíl"
@@ -5578,7 +5649,7 @@ msgstr "Féach ar an abhatár"
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5658,11 +5729,11 @@ msgstr "Déarfaidh muid leat nuair a bheidh do chuntas réidh."
msgid "We'll use this to help customize your experience."
msgstr "Bainfimid úsáid as seo chun an suíomh a chur in oiriúint duit."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Tá muid an-sásta go bhfuil tú linn!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Ár leithscéal, ach ní féidir linn an liosta seo a thaispeáint. Má mhaireann an fhadhb, déan teagmháil leis an duine a chruthaigh an liosta, @{handleOrDid}."
@@ -5670,7 +5741,7 @@ msgstr "Ár leithscéal, ach ní féidir linn an liosta seo a thaispeáint. Má
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr ""
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Ár leithscéal, ach níorbh fhéidir linn do chuardach a chur i gcrích. Bain triail eile as i gceann cúpla nóiméad."
@@ -5679,7 +5750,7 @@ msgstr "Ár leithscéal, ach níorbh fhéidir linn do chuardach a chur i gcrích
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Ár leithscéal, ach ní féidir linn an leathanach atá tú ag lorg a aimsiú."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5695,8 +5766,8 @@ msgstr "Cad iad na rudaí a bhfuil suim agat iontu?"
#~ msgid "What is the issue with this {collectionName}?"
#~ msgstr "Cad é an fhadhb le {collectionName}?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "Aon scéal?"
@@ -5803,15 +5874,15 @@ msgstr ""
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "Níl aon chóid chuiridh agat fós! Cuirfidh muid cúpla cód chugat tar éis duit beagán ama a chaitheamh anseo."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "Níl aon fhothaí greamaithe agat."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "Níl aon fhothaí sábháilte agat!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "Níl aon fhothaí sábháilte agat."
@@ -5853,16 +5924,16 @@ msgstr ""
#~ msgid "You have muted this user."
#~ msgstr "Chuir tú an cuntas seo i bhfolach."
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "Níl aon fhothaí agat."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "Níl aon liostaí agat."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
@@ -5874,7 +5945,7 @@ msgstr ""
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Níor chruthaigh tú aon phasfhocal aipe fós. Is féidir leat ceann a chruthú ach brú ar an gcnaipe thíos."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
@@ -5902,15 +5973,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "Caithfidh tú a bheith 18 mbliana d’aois nó níos sine le hábhar do dhaoine fásta a fháil."
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Ní bhfaighidh tú fógraí don snáithe seo a thuilleadh."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Gheobhaidh tú fógraí don snáithe seo anois."
@@ -5941,7 +6012,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Tháinig tú go deireadh d’fhotha! Aimsigh cuntais eile le leanúint."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Do chuntas"
@@ -5953,7 +6024,7 @@ msgstr "Scriosadh do chuntas"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "Is féidir cartlann do chuntais, a bhfuil na taifid phoiblí uile inti, a íoslódáil mar chomhad “CAR”. Ní bheidh aon mheáin leabaithe (íomhánna, mar shampla) ná do shonraí príobháideacha inti. Ní mór iad a fháil ar dhóigh eile."
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "Do bhreithlá"
@@ -5987,7 +6058,7 @@ msgstr "Níor dearbhaíodh do sheoladh ríomhphoist fós. Is tábhachtach an ch
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Tá an fotha de na daoine a leanann tú folamh! Lean tuilleadh úsáideoirí le feiceáil céard atá ar siúl."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Do leasainm iomlán anseo:"
@@ -6018,7 +6089,7 @@ msgstr "Foilsíodh do phostáil"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Tá do chuid postálacha, moltaí, agus blocálacha poiblí. Is príobháideach iad na cuntais a chuireann tú i bhfolach."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Do phróifíl"
@@ -6026,6 +6097,6 @@ msgstr "Do phróifíl"
msgid "Your reply has been published"
msgstr "Foilsíodh do fhreagra"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Do leasainm"
diff --git a/src/locale/locales/hi/messages.po b/src/locale/locales/hi/messages.po
index 437ecb2628..1a2102b8ce 100644
--- a/src/locale/locales/hi/messages.po
+++ b/src/locale/locales/hi/messages.po
@@ -21,6 +21,7 @@ msgstr ""
#~ msgid "{0, plural, one {# invite code available} other {# invite codes available}}"
#~ msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr ""
@@ -39,7 +40,7 @@ msgstr ""
#~ msgid "{invitesAvailable} invite codes available"
#~ msgstr ""
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr ""
@@ -51,15 +52,20 @@ msgstr ""
msgid "<0>{0}0> following"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>अपना0><1>पसंदीदा1><2>फ़ीड चुनें2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>कुछ0><1>पसंदीदा उपयोगकर्ताओं1><2>का अनुसरण करें2>"
@@ -71,7 +77,7 @@ msgstr "<0>कुछ0><1>पसंदीदा उपयोगकर्ता
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr ""
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr ""
@@ -84,16 +90,16 @@ msgstr ""
#~ msgstr "ऐप का एक नया संस्करण उपलब्ध है. कृपया ऐप का उपयोग जारी रखने के लिए अपडेट करें।"
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr ""
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr ""
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "प्रवेर्शयोग्यता"
@@ -102,8 +108,8 @@ msgid "account"
msgstr ""
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "अकाउंट"
@@ -153,7 +159,7 @@ msgstr ""
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "ऐड करो"
@@ -161,13 +167,13 @@ msgstr "ऐड करो"
msgid "Add a content warning"
msgstr "सामग्री चेतावनी जोड़ें"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "इस सूची में किसी को जोड़ें"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "अकाउंट जोड़ें"
@@ -257,11 +263,11 @@ msgid "Adult content is disabled."
msgstr ""
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "विकसित"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr ""
@@ -298,6 +304,8 @@ msgstr "{0} को ईमेल भेजा गया है। इसमें
msgid "An issue not included in these options"
msgstr ""
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -305,7 +313,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "और"
@@ -334,7 +342,7 @@ msgstr ""
msgid "App Password names must be at least 4 characters long."
msgstr ""
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr ""
@@ -344,7 +352,7 @@ msgstr ""
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "ऐप पासवर्ड"
@@ -378,7 +386,7 @@ msgstr ""
#~ msgid "Appeal this decision."
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "दिखावट"
@@ -414,7 +422,7 @@ msgstr ""
msgid "Artistic or non-erotic nudity."
msgstr "कलात्मक या गैर-कामुक नग्नता।।"
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -429,7 +437,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "वापस"
@@ -443,7 +451,7 @@ msgstr "वापस"
msgid "Based on your interest in {interestsText}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "मूल बातें"
@@ -451,11 +459,11 @@ msgstr "मूल बातें"
msgid "Birthday"
msgstr "जन्मदिन"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "जन्मदिन:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr ""
@@ -469,16 +477,16 @@ msgstr "खाता ब्लॉक करें"
msgid "Block Account?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "खाता ब्लॉक करें"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr ""
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "खाता ब्लॉक करें?"
@@ -487,7 +495,7 @@ msgstr "खाता ब्लॉक करें?"
#~ msgstr ""
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr ""
@@ -496,7 +504,7 @@ msgid "Blocked accounts"
msgstr "ब्लॉक किए गए खाते"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "ब्लॉक किए गए खाते"
@@ -504,7 +512,7 @@ msgstr "ब्लॉक किए गए खाते"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "अवरुद्ध खाते आपके थ्रेड्स में उत्तर नहीं दे सकते, आपका उल्लेख नहीं कर सकते, या अन्यथा आपके साथ बातचीत नहीं कर सकते।"
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "अवरुद्ध खाते आपके थ्रेड्स में उत्तर नहीं दे सकते, आपका उल्लेख नहीं कर सकते, या अन्यथा आपके साथ बातचीत नहीं कर सकते। आप उनकी सामग्री नहीं देख पाएंगे और उन्हें आपकी सामग्री देखने से रोका जाएगा।"
@@ -512,11 +520,11 @@ msgstr "अवरुद्ध खाते आपके थ्रेड्स
msgid "Blocked post."
msgstr "ब्लॉक पोस्ट।"
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr ""
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "अवरोधन सार्वजनिक है. अवरुद्ध खाते आपके थ्रेड्स में उत्तर नहीं दे सकते, आपका उल्लेख नहीं कर सकते, या अन्यथा आपके साथ बातचीत नहीं कर सकते।"
@@ -524,12 +532,10 @@ msgstr "अवरोधन सार्वजनिक है. अवरुद
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -582,8 +588,7 @@ msgstr ""
#~ msgid "Build version {0} {1}"
#~ msgstr "Build version {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr ""
@@ -645,7 +650,7 @@ msgstr "केवल अक्षर, संख्या, रिक्त स्
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "कैंसिल"
@@ -695,17 +700,17 @@ msgstr ""
msgid "Change"
msgstr ""
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "परिवर्तन"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "हैंडल बदलें"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "हैंडल बदलें"
@@ -713,12 +718,12 @@ msgstr "हैंडल बदलें"
msgid "Change my email"
msgstr "मेरा ईमेल बदलें"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr ""
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr ""
@@ -739,11 +744,11 @@ msgstr "मेरा ईमेल बदलें"
msgid "Check my status"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "कुछ अनुशंसित फ़ीड देखें. उन्हें अपनी पिन की गई फ़ीड की सूची में जोड़ने के लिए + टैप करें।"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "कुछ अनुशंसित उपयोगकर्ताओं की जाँच करें। ऐसे ही उपयोगकर्ता देखने के लिए उनका अनुसरण करें।"
@@ -780,36 +785,36 @@ msgstr "उन एल्गोरिदम का चयन करें जो
msgid "Choose your main feeds"
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "अपना पासवर्ड चुनें"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr ""
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "खोज क्वेरी साफ़ करें"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr ""
@@ -821,7 +826,7 @@ msgstr ""
msgid "Click here to open tag menu for {tag}"
msgstr ""
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr ""
@@ -855,7 +860,7 @@ msgstr "छवि बंद करें"
msgid "Close image viewer"
msgstr "छवि बंद करें"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "नेविगेशन पाद बंद करें"
@@ -864,7 +869,7 @@ msgstr "नेविगेशन पाद बंद करें"
msgid "Close this dialog"
msgstr ""
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr ""
@@ -880,7 +885,7 @@ msgstr ""
msgid "Closes viewer for header image"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr ""
@@ -901,7 +906,7 @@ msgstr "समुदाय दिशानिर्देश"
msgid "Complete onboarding and start using your account"
msgstr ""
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr ""
@@ -981,7 +986,7 @@ msgstr "OTP कोड"
msgid "Connecting..."
msgstr "कनेक्टिंग ..।"
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr ""
@@ -1035,8 +1040,8 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "आगे बढ़ें"
@@ -1049,7 +1054,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr ""
@@ -1070,17 +1075,21 @@ msgstr ""
msgid "Copied"
msgstr "कॉपी कर ली"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr ""
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr ""
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr ""
@@ -1093,12 +1102,17 @@ msgstr "कॉपी"
msgid "Copy {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr ""
@@ -1106,8 +1120,8 @@ msgstr ""
#~ msgid "Copy link to profile"
#~ msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "पोस्ट टेक्स्ट कॉपी करें"
@@ -1120,7 +1134,7 @@ msgstr "कॉपीराइट नीति"
msgid "Could not load feed"
msgstr "फ़ीड लोड नहीं कर सकता"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "सूची लोड नहीं कर सकता"
@@ -1128,31 +1142,34 @@ msgstr "सूची लोड नहीं कर सकता"
#~ msgid "Country"
#~ msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "नया खाता बनाएं"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr ""
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "खाता बनाएँ"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "नया खाता बनाएं"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr ""
@@ -1186,7 +1203,7 @@ msgid "Custom domain"
msgstr "कस्टम डोमेन"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr ""
@@ -1198,8 +1215,8 @@ msgstr ""
#~ msgid "Danger Zone"
#~ msgstr "खतरा क्षेत्र"
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "डार्क मोड"
@@ -1207,15 +1224,15 @@ msgstr "डार्क मोड"
msgid "Dark mode"
msgstr ""
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1223,13 +1240,13 @@ msgstr ""
msgid "Debug panel"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr ""
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "खाता हटाएं"
@@ -1245,7 +1262,7 @@ msgstr "अप्प पासवर्ड हटाएं"
msgid "Delete app password?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "सूची हटाएँ"
@@ -1257,24 +1274,24 @@ msgstr "मेरा खाता हटाएं"
#~ msgid "Delete my account…"
#~ msgstr "मेरा खाता हटाएं…"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "पोस्ट को हटाएं"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "इस पोस्ट को डीलीट करें?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr ""
@@ -1297,10 +1314,18 @@ msgstr "विवरण"
msgid "Did you want to say anything?"
msgstr ""
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr ""
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1334,7 +1359,7 @@ msgstr ""
#~ msgid "Discover new feeds"
#~ msgstr "नए फ़ीड की खोज करें"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr ""
@@ -1354,7 +1379,7 @@ msgstr ""
msgid "Does not include nudity."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1388,7 +1413,7 @@ msgstr "डोमेन सत्यापित!"
msgid "Done"
msgstr "खत्म"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1471,7 +1496,7 @@ msgctxt "action"
msgid "Edit"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr ""
@@ -1481,7 +1506,7 @@ msgstr ""
msgid "Edit image"
msgstr "छवि संपादित करें"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "सूची विवरण संपादित करें"
@@ -1490,8 +1515,8 @@ msgid "Edit Moderation List"
msgstr ""
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "मेरी फ़ीड संपादित करें"
@@ -1499,18 +1524,18 @@ msgstr "मेरी फ़ीड संपादित करें"
msgid "Edit my profile"
msgstr "मेरी प्रोफ़ाइल संपादित करें"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "मेरी प्रोफ़ाइल संपादित करें"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "मेरी प्रोफ़ाइल संपादित करें"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "एडिट सेव्ड फीड"
@@ -1552,10 +1577,24 @@ msgstr "ईमेल अपडेट किया गया"
msgid "Email verified"
msgstr ""
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "ईमेल:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr ""
@@ -1598,7 +1637,7 @@ msgstr ""
msgid "Enabled"
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr ""
@@ -1640,7 +1679,7 @@ msgstr ""
#~ msgstr ""
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "अपना ईमेल पता दर्ज करें"
@@ -1664,7 +1703,7 @@ msgstr "अपने यूज़रनेम और पासवर्ड द
msgid "Error receiving captcha response."
msgstr ""
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr ""
@@ -1705,8 +1744,8 @@ msgstr ""
msgid "Expand alt text"
msgstr "ऑल्ट टेक्स्ट"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr ""
@@ -1718,12 +1757,12 @@ msgstr ""
msgid "Explicit sexual images."
msgstr ""
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr ""
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr ""
@@ -1739,11 +1778,11 @@ msgstr ""
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr ""
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr ""
@@ -1756,12 +1795,12 @@ msgstr ""
msgid "Failed to create the list. Check your internet connection and try again."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "अनुशंसित फ़ीड लोड करने में विफल"
@@ -1777,7 +1816,7 @@ msgstr ""
msgid "Feed by {0}"
msgstr ""
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "फ़ीड ऑफ़लाइन है"
@@ -1786,18 +1825,18 @@ msgstr "फ़ीड ऑफ़लाइन है"
#~ msgstr "फ़ीड प्राथमिकता"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "प्रतिक्रिया"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "सभी फ़ीड"
@@ -1809,11 +1848,11 @@ msgstr "सभी फ़ीड"
#~ msgid "Feeds are created by users and organizations. They offer you varied experiences and suggest content you may like using algorithms."
#~ msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "सामग्री को व्यवस्थित करने के लिए उपयोगकर्ताओं द्वारा फ़ीड बनाए जाते हैं। कुछ फ़ीड चुनें जो आपको दिलचस्प लगें।"
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "फ़ीड कस्टम एल्गोरिदम हैं जिन्हें उपयोगकर्ता थोड़ी कोडिंग विशेषज्ञता के साथ बनाते हैं। <0/> अधिक जानकारी के लिए."
@@ -1839,11 +1878,11 @@ msgstr ""
msgid "Find accounts to follow"
msgstr ""
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr ""
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr ""
@@ -1881,10 +1920,10 @@ msgid "Flip vertically"
msgstr ""
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "फॉलो"
@@ -1916,11 +1955,11 @@ msgstr ""
msgid "Follow selected accounts and continue to the next step"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "आरंभ करने के लिए कुछ उपयोगकर्ताओं का अनुसरण करें. आपको कौन दिलचस्प लगता है, इसके आधार पर हम आपको और अधिक उपयोगकर्ताओं की अनुशंसा कर सकते हैं।"
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr ""
@@ -1932,7 +1971,7 @@ msgstr ""
msgid "Followed users only"
msgstr "केवल वे यूजर को फ़ॉलो किया गया"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr ""
@@ -1941,7 +1980,7 @@ msgstr ""
msgid "Followers"
msgstr "यह यूजर आपका फ़ोलो करता है"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1952,15 +1991,15 @@ msgstr "फोल्लोविंग"
msgid "Following {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr ""
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr ""
@@ -1968,7 +2007,7 @@ msgstr ""
msgid "Follows you"
msgstr "यह यूजर आपका फ़ोलो करता है"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr ""
@@ -2014,7 +2053,7 @@ msgstr ""
msgid "From @{sanitizedAuthor}"
msgstr ""
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr ""
@@ -2038,7 +2077,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "वापस जाओ"
@@ -2048,15 +2087,15 @@ msgstr "वापस जाओ"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "वापस जाओ"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr ""
@@ -2068,7 +2107,7 @@ msgstr ""
msgid "Go Home"
msgstr ""
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr ""
@@ -2098,16 +2137,16 @@ msgstr ""
#~ msgid "Hashtag: {tag}"
#~ msgstr ""
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr ""
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr ""
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "सहायता"
@@ -2136,17 +2175,17 @@ msgstr "यहां आपका ऐप पासवर्ड है."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "इसे छिपाएं"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr ""
@@ -2155,11 +2194,11 @@ msgstr ""
msgid "Hide the content"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "उपयोगकर्ता सूची छुपाएँ"
@@ -2195,11 +2234,11 @@ msgstr ""
msgid "Hmmmm, we couldn't load that moderation service."
msgstr ""
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "होम फीड"
@@ -2249,11 +2288,11 @@ msgstr "यदि किसी को चुना जाता है, तो
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr ""
@@ -2338,7 +2377,7 @@ msgstr ""
msgid "Input your preferred hosting provider"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr ""
@@ -2382,8 +2421,7 @@ msgstr ""
msgid "It shows posts from the people you follow as they happen."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr ""
@@ -2416,11 +2454,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2440,7 +2478,7 @@ msgstr ""
msgid "Language selection"
msgstr "अपनी भाषा चुने"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr ""
@@ -2449,7 +2487,7 @@ msgstr ""
msgid "Language Settings"
msgstr "भाषा सेटिंग्स"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "भाषा"
@@ -2457,6 +2495,10 @@ msgstr "भाषा"
#~ msgid "Last step!"
#~ msgstr ""
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr ""
@@ -2495,7 +2537,7 @@ msgstr "लीविंग Bluesky"
msgid "left to go."
msgstr ""
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr ""
@@ -2513,16 +2555,16 @@ msgstr ""
#~ msgid "Library"
#~ msgstr "चित्र पुस्तकालय"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "लाइट मोड"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "इस फ़ीड को लाइक करो"
@@ -2546,21 +2588,21 @@ msgstr ""
msgid "Liked by {count} {0}"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr ""
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr ""
@@ -2576,7 +2618,7 @@ msgstr ""
msgid "List Avatar"
msgstr "सूची अवतार"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr ""
@@ -2584,11 +2626,11 @@ msgstr ""
msgid "List by {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr ""
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr ""
@@ -2596,20 +2638,20 @@ msgstr ""
msgid "List Name"
msgstr "सूची का नाम"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr ""
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr ""
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "सूची"
@@ -2622,10 +2664,10 @@ msgstr "सूची"
msgid "Load new notifications"
msgstr "नई सूचनाएं लोड करें"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "नई पोस्ट लोड करें"
@@ -2676,7 +2718,7 @@ msgstr ""
#~ msgid "May only contain letters and numbers"
#~ msgstr ""
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr ""
@@ -2689,7 +2731,7 @@ msgid "Mentioned users"
msgstr ""
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "मेनू"
@@ -2703,10 +2745,10 @@ msgstr ""
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "मॉडरेशन"
@@ -2719,13 +2761,13 @@ msgstr ""
msgid "Moderation list by {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr ""
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr ""
@@ -2746,7 +2788,7 @@ msgstr "मॉडरेशन सूचियाँ"
msgid "Moderation Lists"
msgstr ""
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr ""
@@ -2763,7 +2805,7 @@ msgstr ""
msgid "Moderator has chosen to set a general warning on the content."
msgstr ""
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr ""
@@ -2771,7 +2813,7 @@ msgstr ""
msgid "More feeds"
msgstr "अधिक फ़ीड"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "अधिक विकल्प"
@@ -2800,7 +2842,7 @@ msgstr ""
msgid "Mute Account"
msgstr "खाता म्यूट करें"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "खातों को म्यूट करें"
@@ -2820,12 +2862,12 @@ msgstr ""
msgid "Mute in text & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr ""
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "इन खातों को म्यूट करें?"
@@ -2841,13 +2883,13 @@ msgstr ""
msgid "Mute this word in tags only"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "थ्रेड म्यूट करें"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr ""
@@ -2860,11 +2902,11 @@ msgid "Muted accounts"
msgstr "म्यूट किए गए खाते"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "म्यूट किए गए खाते"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "म्यूट किए गए खातों की पोस्ट आपके फ़ीड और आपकी सूचनाओं से हटा दी जाती हैं। म्यूट पूरी तरह से निजी हैं."
@@ -2876,7 +2918,7 @@ msgstr ""
msgid "Muted words & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "म्यूट करना निजी है. म्यूट किए गए खाते आपके साथ इंटरैक्ट कर सकते हैं, लेकिन आप उनकी पोस्ट नहीं देखेंगे या उनसे सूचनाएं प्राप्त नहीं करेंगे।"
@@ -2885,7 +2927,7 @@ msgstr "म्यूट करना निजी है. म्यूट कि
msgid "My Birthday"
msgstr "जन्मदिन"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "मेरी फ़ीड"
@@ -2893,11 +2935,11 @@ msgstr "मेरी फ़ीड"
msgid "My Profile"
msgstr "मेरी प्रोफाइल"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "मेरी फ़ीड"
@@ -2925,7 +2967,7 @@ msgid "Nature"
msgstr ""
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr ""
@@ -2934,7 +2976,7 @@ msgstr ""
msgid "Navigates to your profile"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr ""
@@ -2986,12 +3028,12 @@ msgctxt "action"
msgid "New post"
msgstr ""
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "नई पोस्ट"
@@ -3015,12 +3057,12 @@ msgstr ""
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3044,8 +3086,8 @@ msgstr "अगली फोटो"
msgid "No"
msgstr "नहीं"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "कोई विवरण नहीं"
@@ -3057,7 +3099,7 @@ msgstr ""
msgid "No longer following {0}"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -3074,13 +3116,13 @@ msgstr ""
msgid "No results found"
msgstr ""
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "\"{query}\" के लिए कोई परिणाम नहीं मिला"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "{query} के लिए कोई परिणाम नहीं मिला\""
@@ -3107,7 +3149,7 @@ msgid "Not Applicable."
msgstr "लागू नहीं।"
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr ""
@@ -3117,8 +3159,8 @@ msgid "Not right now"
msgstr ""
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -3126,13 +3168,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr ""
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "सूचनाएं"
@@ -3148,7 +3190,7 @@ msgstr ""
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr ""
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -3165,7 +3207,7 @@ msgid "Oh no! Something went wrong."
msgstr ""
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr ""
@@ -3177,7 +3219,7 @@ msgstr "ठीक है"
msgid "Oldest replies first"
msgstr ""
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr ""
@@ -3189,7 +3231,7 @@ msgstr "एक या अधिक छवियाँ alt पाठ याद
msgid "Only {0} can reply."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -3199,7 +3241,7 @@ msgstr ""
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr ""
@@ -3216,11 +3258,11 @@ msgstr ""
msgid "Open emoji picker"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr ""
@@ -3232,20 +3274,20 @@ msgstr ""
#~ msgid "Open muted words settings"
#~ msgstr ""
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "ओपन नेविगेशन"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr ""
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr ""
@@ -3257,7 +3299,7 @@ msgstr ""
msgid "Opens additional details for a debug entry"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr ""
@@ -3269,7 +3311,7 @@ msgstr ""
msgid "Opens composer"
msgstr ""
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "भाषा सेटिंग्स खोलें"
@@ -3281,19 +3323,17 @@ msgstr ""
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr ""
@@ -3313,7 +3353,7 @@ msgstr ""
msgid "Opens list of invite codes"
msgstr ""
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
@@ -3321,19 +3361,19 @@ msgstr ""
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3341,7 +3381,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr "कस्टम डोमेन का उपयोग करने के लिए मोडल खोलें"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "मॉडरेशन सेटिंग्स खोलें"
@@ -3349,16 +3389,16 @@ msgstr "मॉडरेशन सेटिंग्स खोलें"
msgid "Opens password reset form"
msgstr ""
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "सभी बचाया फ़ीड के साथ स्क्रीन खोलें"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr ""
@@ -3366,7 +3406,7 @@ msgstr ""
#~ msgid "Opens the app password settings page"
#~ msgstr "ऐप पासवर्ड सेटिंग पेज खोलें"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr ""
@@ -3378,16 +3418,16 @@ msgstr ""
msgid "Opens the linked website"
msgstr ""
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "स्टोरीबुक पेज खोलें"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "सिस्टम लॉग पेज खोलें"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "धागे वरीयताओं को खोलता है"
@@ -3395,7 +3435,7 @@ msgstr "धागे वरीयताओं को खोलता है"
msgid "Option {0} of {numItems}"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr ""
@@ -3433,7 +3473,7 @@ msgid "Page Not Found"
msgstr ""
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3451,6 +3491,11 @@ msgstr ""
msgid "Password updated!"
msgstr "पासवर्ड अद्यतन!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr ""
@@ -3479,16 +3524,16 @@ msgstr ""
msgid "Pictures meant for adults."
msgstr "चित्र वयस्कों के लिए थे।।"
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "पिन किया गया फ़ीड"
@@ -3603,7 +3648,7 @@ msgstr ""
msgid "Post by @{0}"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr ""
@@ -3638,7 +3683,8 @@ msgstr "पोस्ट नहीं मिला"
msgid "posts"
msgstr ""
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr ""
@@ -3654,13 +3700,13 @@ msgstr ""
msgid "Potentially Misleading Link"
msgstr "शायद एक भ्रामक लिंक"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr ""
@@ -3676,7 +3722,7 @@ msgstr "प्राथमिक भाषा"
msgid "Prioritize Your Follows"
msgstr "अपने फ़ॉलोअर्स को प्राथमिकता दें"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "गोपनीयता"
@@ -3684,8 +3730,8 @@ msgstr "गोपनीयता"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "गोपनीयता नीति"
@@ -3694,15 +3740,15 @@ msgid "Processing..."
msgstr "प्रसंस्करण..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "प्रोफ़ाइल"
@@ -3710,7 +3756,7 @@ msgstr "प्रोफ़ाइल"
msgid "Profile updated"
msgstr ""
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "अपने ईमेल को सत्यापित करके अपने खाते को सुरक्षित रखें।।"
@@ -3756,15 +3802,15 @@ msgstr ""
msgid "Ratios"
msgstr "अनुपात"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "अनुशंसित फ़ीड"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "अनुशंसित लोग"
@@ -3785,7 +3831,7 @@ msgstr "निकालें"
msgid "Remove account"
msgstr "खाता हटाएं"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr ""
@@ -3803,8 +3849,8 @@ msgstr ""
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "मेरे फ़ीड से हटाएँ"
@@ -3849,7 +3895,7 @@ msgstr ""
msgid "Removed from my feeds"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr ""
@@ -3857,7 +3903,7 @@ msgstr ""
msgid "Removes default thumbnail from {0}"
msgstr ""
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr ""
@@ -3874,8 +3920,8 @@ msgstr ""
msgid "Reply Filters"
msgstr "फिल्टर"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr ""
@@ -3893,17 +3939,17 @@ msgstr "रिपोर्ट"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "रिपोर्ट फ़ीड"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "रिपोर्ट सूची"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "रिपोर्ट पोस्ट"
@@ -3948,15 +3994,19 @@ msgstr "पोस्ट दोबारा पोस्ट करें या
msgid "Reposted By"
msgstr "द्वारा दोबारा पोस्ट किया गया"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr ""
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr ""
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr ""
@@ -3978,7 +4028,7 @@ msgstr "अनुरोध बदलें"
msgid "Request Code"
msgstr ""
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "पोस्ट करने से पहले वैकल्पिक टेक्स्ट की आवश्यकता है"
@@ -3998,8 +4048,8 @@ msgstr ""
#~ msgid "Reset onboarding"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "ऑनबोर्डिंग स्टेट को रीसेट करें"
@@ -4011,16 +4061,16 @@ msgstr "पासवर्ड रीसेट"
#~ msgid "Reset preferences"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "प्राथमिकताओं को रीसेट करें"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "ऑनबोर्डिंग स्टेट को रीसेट करें"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "प्राथमिकताओं की स्थिति को रीसेट करें"
@@ -4039,7 +4089,7 @@ msgstr ""
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
@@ -4050,7 +4100,7 @@ msgstr "फिर से कोशिश करो"
#~ msgstr ""
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr ""
@@ -4100,12 +4150,12 @@ msgstr "बदलाव सेव करो"
msgid "Save image crop"
msgstr "फोटो बदलाव सेव करो"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "सहेजे गए फ़ीड"
@@ -4113,7 +4163,7 @@ msgstr "सहेजे गए फ़ीड"
msgid "Saved to your camera roll."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr ""
@@ -4133,28 +4183,28 @@ msgstr ""
msgid "Science"
msgstr ""
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr ""
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "खोज"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr ""
@@ -4209,13 +4259,18 @@ msgstr ""
#~ msgid "See <0>{tag}0> posts by this user"
#~ msgstr ""
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr ""
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "आगे क्या है"
+#~ msgid "See what's next"
+#~ msgstr "आगे क्या है"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4254,7 +4309,7 @@ msgstr ""
msgid "Select some accounts below to follow"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4286,7 +4341,7 @@ msgstr "चुनें कि आप अपनी सदस्यता वा
msgid "Select your app language for the default text to display in the app."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4324,13 +4379,13 @@ msgctxt "action"
msgid "Send Email"
msgstr "ईमेल भेजें"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "प्रतिक्रिया भेजें"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr ""
@@ -4424,23 +4479,23 @@ msgstr ""
msgid "Sets Bluesky username"
msgstr ""
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr ""
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr ""
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr ""
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr ""
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr ""
@@ -4470,10 +4525,10 @@ msgstr ""
#~ msgstr ""
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "सेटिंग्स"
@@ -4492,21 +4547,21 @@ msgstr ""
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "शेयर"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr ""
@@ -4523,7 +4578,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "दिखाओ"
@@ -4553,9 +4608,9 @@ msgstr ""
msgid "Show follows similar to {0}"
msgstr ""
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr ""
@@ -4612,7 +4667,7 @@ msgstr ""
msgid "Show the content"
msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "लोग दिखाएँ"
@@ -4632,24 +4687,24 @@ msgstr ""
msgid "Shows posts from {0} in your feed"
msgstr ""
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "साइन इन करें"
@@ -4667,28 +4722,36 @@ msgstr "{0} के रूप में साइन इन करें"
msgid "Sign in as..."
msgstr "... के रूप में साइन इन करें"
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "साइन इन करें"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "साइन आउट"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr ""
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr ""
@@ -4697,7 +4760,7 @@ msgstr ""
msgid "Sign-in Required"
msgstr ""
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "आपने इस रूप में साइन इन करा है:"
@@ -4733,7 +4796,7 @@ msgstr ""
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr ""
@@ -4745,7 +4808,7 @@ msgstr ""
#~ msgid "Something went wrong. Check your email and try again."
#~ msgstr ""
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr ""
@@ -4781,11 +4844,11 @@ msgstr "स्क्वायर"
#~ msgid "Staging"
#~ msgstr "स्टेजिंग"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "स्थिति पृष्ठ"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4793,12 +4856,12 @@ msgstr ""
#~ msgid "Step {0} of {numSteps}"
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr ""
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Storybook"
@@ -4807,15 +4870,15 @@ msgstr "Storybook"
msgid "Submit"
msgstr ""
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "सब्सक्राइब"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4824,15 +4887,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "इस सूची को सब्सक्राइब करें"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "अनुशंसित लोग"
@@ -4859,19 +4922,19 @@ msgstr "सहायता"
msgid "Switch Account"
msgstr "खाते बदलें"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr ""
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "प्रणाली"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "सिस्टम लॉग"
@@ -4905,9 +4968,9 @@ msgstr "शर्तें"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "सेवा की शर्तें"
@@ -4925,7 +4988,7 @@ msgstr ""
msgid "Text input field"
msgstr "पाठ इनपुट फ़ील्ड"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr ""
@@ -4933,11 +4996,11 @@ msgstr ""
msgid "That contains the following:"
msgstr ""
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "अनब्लॉक करने के बाद अकाउंट आपसे इंटरैक्ट कर सकेगा।"
@@ -4987,8 +5050,8 @@ msgstr "सेवा की शर्तों को स्थानांत
msgid "There are many feeds to try:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr ""
@@ -4996,15 +5059,15 @@ msgstr ""
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr ""
@@ -5027,12 +5090,12 @@ msgstr ""
msgid "There was an issue fetching the list. Tap here to try again."
msgstr ""
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr ""
@@ -5058,10 +5121,10 @@ msgstr ""
msgid "There was an issue! {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr ""
@@ -5126,9 +5189,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr ""
@@ -5148,7 +5211,7 @@ msgstr "अगर आपको कभी अपना ईमेल बदलन
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -5156,7 +5219,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr "यह लिंक आपको निम्नलिखित वेबसाइट पर ले जा रहा है:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr ""
@@ -5172,12 +5235,12 @@ msgstr ""
msgid "This post has been deleted."
msgstr "इस पोस्ट को हटा दिया गया है।।"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr ""
@@ -5242,12 +5305,12 @@ msgstr ""
#~ msgid "This will hide this post from your feeds."
#~ msgstr ""
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr ""
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "थ्रेड प्राथमिकता"
@@ -5275,14 +5338,18 @@ msgstr "ड्रॉपडाउन टॉगल करें"
msgid "Toggle to enable or disable adult content"
msgstr ""
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "परिवर्तन"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "अनुवाद"
@@ -5295,11 +5362,11 @@ msgstr "फिर से कोशिश करो"
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr ""
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr ""
@@ -5307,15 +5374,15 @@ msgstr ""
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "आपकी सेवा से संपर्क करने में असमर्थ। कृपया अपने इंटरनेट कनेक्शन की जांच करें।।"
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "अनब्लॉक"
@@ -5329,7 +5396,7 @@ msgstr ""
msgid "Unblock Account"
msgstr "अनब्लॉक खाता"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr ""
@@ -5342,7 +5409,7 @@ msgid "Undo repost"
msgstr "पुनः पोस्ट पूर्ववत करें"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr ""
@@ -5364,16 +5431,16 @@ msgstr ""
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr ""
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr ""
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr ""
@@ -5394,21 +5461,21 @@ msgstr ""
#~ msgid "Unmute all {tag} posts"
#~ msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "थ्रेड को अनम्यूट करें"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr ""
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr ""
@@ -5416,11 +5483,11 @@ msgstr ""
#~ msgid "Unsave"
#~ msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5448,20 +5515,20 @@ msgstr "अद्यतन..।"
msgid "Upload a text file to:"
msgstr "एक पाठ फ़ाइल अपलोड करने के लिए:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5539,13 +5606,13 @@ msgstr ""
msgid "User list by {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr ""
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr ""
@@ -5565,7 +5632,9 @@ msgstr "लोग सूचियाँ"
msgid "Username or email address"
msgstr "यूजर नाम या ईमेल पता"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "यूजर लोग"
@@ -5593,15 +5662,15 @@ msgstr ""
msgid "Verify {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "ईमेल सत्यापित करें"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "मेरी ईमेल सत्यापित करें"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "मेरी ईमेल सत्यापित करें"
@@ -5614,7 +5683,7 @@ msgstr "नया ईमेल सत्यापित करें"
msgid "Verify Your Email"
msgstr ""
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5630,11 +5699,11 @@ msgstr ""
msgid "View debug entry"
msgstr "डीबग प्रविष्टि देखें"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr ""
@@ -5646,6 +5715,8 @@ msgstr ""
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr ""
@@ -5658,7 +5729,7 @@ msgstr "अवतार देखें"
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5738,11 +5809,11 @@ msgstr ""
msgid "We'll use this to help customize your experience."
msgstr ""
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "हम आपके हमारी सेवा में शामिल होने को लेकर बहुत उत्साहित हैं!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr ""
@@ -5750,7 +5821,7 @@ msgstr ""
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr ""
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr ""
@@ -5759,7 +5830,7 @@ msgstr ""
msgid "We're sorry! We can't find the page you were looking for."
msgstr "हम क्षमा चाहते हैं! हमें वह पेज नहीं मिल रहा जिसे आप ढूंढ रहे थे।"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5775,8 +5846,8 @@ msgstr ""
#~ msgid "What is the issue with this {collectionName}?"
#~ msgstr "इस {collectionName} के साथ क्या मुद्दा है?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr ""
@@ -5883,15 +5954,15 @@ msgstr ""
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "आपके पास अभी तक कोई आमंत्रण कोड नहीं है! जब आप कुछ अधिक समय के लिए Bluesky पर रहेंगे तो हम आपको कुछ भेजेंगे।"
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "आपके पास कोई पिन किया हुआ फ़ीड नहीं है."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "आपके पास कोई सहेजी गई फ़ीड नहीं है."
@@ -5933,16 +6004,16 @@ msgstr ""
#~ msgid "You have muted this user."
#~ msgstr ""
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr ""
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "आपके पास कोई सूची नहीं है।।"
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
@@ -5954,7 +6025,7 @@ msgstr ""
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "आपने अभी तक कोई ऐप पासवर्ड नहीं बनाया है। आप नीचे बटन दबाकर एक बना सकते हैं।।"
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
@@ -5982,15 +6053,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr ""
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr ""
@@ -6021,7 +6092,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr ""
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "आपका खाता"
@@ -6033,7 +6104,7 @@ msgstr ""
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "जन्म तिथि"
@@ -6067,7 +6138,7 @@ msgstr "आपका ईमेल अभी तक सत्यापित न
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "आपका पूरा हैंडल होगा"
@@ -6099,7 +6170,7 @@ msgstr ""
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "आपकी पोस्ट, पसंद और ब्लॉक सार्वजनिक हैं। म्यूट निजी हैं।।"
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "आपकी प्रोफ़ाइल"
@@ -6107,6 +6178,6 @@ msgstr "आपकी प्रोफ़ाइल"
msgid "Your reply has been published"
msgstr ""
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "आपका यूजर हैंडल"
diff --git a/src/locale/locales/id/messages.po b/src/locale/locales/id/messages.po
index cc5327953c..02ab07e19c 100644
--- a/src/locale/locales/id/messages.po
+++ b/src/locale/locales/id/messages.po
@@ -29,6 +29,7 @@ msgstr "(tidak ada email)"
#~ msgid "{0} {purposeLabel} List"
#~ msgstr "Daftar {purposeLabel} {0}"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} mengikuti"
@@ -51,7 +52,7 @@ msgstr "{following} mengikuti"
#~ msgid "{message}"
#~ msgstr "{message}"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} belum dibaca"
@@ -67,15 +68,20 @@ msgstr "<0/> anggota"
msgid "<0>{0}0> following"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>mengikuti1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Pilih0><1>Rekomendasi1><2>Feed2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Ikuti0><1>Rekomendasi1><2>Pengguna2>"
@@ -83,7 +89,7 @@ msgstr "<0>Ikuti0><1>Rekomendasi1><2>Pengguna2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Selamat datang di0>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Handle Tidak Valid"
@@ -96,16 +102,16 @@ msgstr "⚠Handle Tidak Valid"
#~ msgstr "Versi baru dari aplikasi ini telah tersedia. Harap perbarui untuk terus menggunakan aplikasi."
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Akses tautan navigasi dan pengaturan"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Akses profil dan tautan navigasi lain"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Aksesibilitas"
@@ -114,8 +120,8 @@ msgid "account"
msgstr ""
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Akun"
@@ -165,7 +171,7 @@ msgstr "Akun batal dibisukan"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Tambah"
@@ -173,13 +179,13 @@ msgstr "Tambah"
msgid "Add a content warning"
msgstr "Tambahkan peringatan konten"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Tambahkan pengguna ke daftar ini"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Tambahkan akun"
@@ -269,11 +275,11 @@ msgid "Adult content is disabled."
msgstr ""
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Lanjutan"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr ""
@@ -310,6 +316,8 @@ msgstr "Email telah dikirim ke alamat Anda sebelumnya, {0}. Email tersebut beris
msgid "An issue not included in these options"
msgstr ""
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -317,7 +325,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr "Terjadi masalah, silakan coba lagi."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "dan"
@@ -346,7 +354,7 @@ msgstr "Nama Kata Sandi Aplikasi hanya boleh terdiri dari huruf, angka, spasi, t
msgid "App Password names must be at least 4 characters long."
msgstr "Nama Kata Sandi Aplikasi harus terdiri dari minimal 4 karakter."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "Pengaturan kata sandi aplikasi"
@@ -356,7 +364,7 @@ msgstr "Pengaturan kata sandi aplikasi"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Kata sandi Aplikasi"
@@ -393,7 +401,7 @@ msgstr ""
#~ msgid "Appeal this decision."
#~ msgstr "Ajukan banding untuk keputusan ini."
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Tampilan"
@@ -429,7 +437,7 @@ msgstr "Seni"
msgid "Artistic or non-erotic nudity."
msgstr "Ketelanjangan artistik atau non-erotis."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -444,7 +452,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Kembali"
@@ -458,7 +466,7 @@ msgstr "Kembali"
msgid "Based on your interest in {interestsText}"
msgstr "Berdasarkan minat Anda pada {interestsText}"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Dasar"
@@ -466,11 +474,11 @@ msgstr "Dasar"
msgid "Birthday"
msgstr "Tanggal lahir"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Tanggal lahir:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr ""
@@ -484,16 +492,16 @@ msgstr "Blokir Akun"
msgid "Block Account?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Blokir akun"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Daftar blokir"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "Blokir akun ini?"
@@ -502,7 +510,7 @@ msgstr "Blokir akun ini?"
#~ msgstr "Blokir Daftar ini"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Diblokir"
@@ -511,7 +519,7 @@ msgid "Blocked accounts"
msgstr "Akun yang diblokir"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Akun yang diblokir"
@@ -519,7 +527,7 @@ msgstr "Akun yang diblokir"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Akun yang diblokir tidak dapat membalas di utas Anda, menyebut Anda, atau berinteraksi dengan Anda."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Akun yang diblokir tidak dapat membalas postingan Anda, menyebutkan Anda, dan interaksi lain dengan Anda. Anda tidak akan melihat konten mereka dan mereka akan dicegah melihat konten Anda."
@@ -527,11 +535,11 @@ msgstr "Akun yang diblokir tidak dapat membalas postingan Anda, menyebutkan Anda
msgid "Blocked post."
msgstr "Postingan yang diblokir."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr ""
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Blokir bersifat publik. Akun yang diblokir tidak dapat membalas postingan Anda, menyebutkan Anda, dan interaksi lain dengan Anda."
@@ -539,12 +547,10 @@ msgstr "Blokir bersifat publik. Akun yang diblokir tidak dapat membalas postinga
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blog"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -597,8 +603,7 @@ msgstr "Buku"
#~ msgid "Build version {0} {1}"
#~ msgstr "Versi {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Bisnis"
@@ -660,7 +665,7 @@ msgstr "Hanya dapat terdiri dari huruf, angka, spasi, tanda hubung dan garis baw
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Batal"
@@ -713,17 +718,17 @@ msgstr ""
msgid "Change"
msgstr "Ubah"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Ubah"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Ubah handle"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Ubah Handle"
@@ -731,12 +736,12 @@ msgstr "Ubah Handle"
msgid "Change my email"
msgstr "Ubah email saya"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Ubah kata sandi"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Ubah Kata Sandi"
@@ -757,11 +762,11 @@ msgstr "Ubah Email Anda"
msgid "Check my status"
msgstr "Periksa status saya"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Lihat beberapa rekomendasi feed. Ketuk + untuk menambahkan ke daftar feed yang disematkan."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Lihat beberapa rekomendasi pengguna. Ikuti mereka untuk melihat pengguna serupa."
@@ -798,36 +803,36 @@ msgstr "Pilih algoritma yang akan digunakan untuk feed khusus Anda."
msgid "Choose your main feeds"
msgstr "Pilih feed utama Anda"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Pilih kata sandi Anda"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Hapus semua data penyimpanan lama"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Hapus semua data penyimpanan lama (mulai ulang setelah ini)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Hapus semua data penyimpanan"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Hapus semua data penyimpanan (mulai ulang setelah ini)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Hapus kueri pencarian"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr ""
@@ -839,7 +844,7 @@ msgstr "klik di sini"
msgid "Click here to open tag menu for {tag}"
msgstr ""
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr ""
@@ -873,7 +878,7 @@ msgstr "Tutup gambar"
msgid "Close image viewer"
msgstr "Tutup penampil gambar"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Tutup footer navigasi"
@@ -882,7 +887,7 @@ msgstr "Tutup footer navigasi"
msgid "Close this dialog"
msgstr ""
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Menutup bilah navigasi bawah"
@@ -898,7 +903,7 @@ msgstr "Menutup penyusun postingan dan membuang draf"
msgid "Closes viewer for header image"
msgstr "Menutup penampil untuk gambar header"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Menciutkan daftar pengguna untuk notifikasi tertentu"
@@ -919,7 +924,7 @@ msgstr "Panduan Komunitas"
msgid "Complete onboarding and start using your account"
msgstr "Selesaikan onboarding dan mulai menggunakan akun Anda"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr ""
@@ -999,7 +1004,7 @@ msgstr "Kode konfirmasi"
msgid "Connecting..."
msgstr "Menghubungkan..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Hubungi pusat bantuan"
@@ -1053,8 +1058,8 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Lanjutkan"
@@ -1067,7 +1072,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Lanjutkan ke langkah berikutnya"
@@ -1088,17 +1093,21 @@ msgstr "Memasak"
msgid "Copied"
msgstr "Disalin"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Menyalin versi build ke papan klip"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "Disalin ke papan klip"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Menyalin kata sandi aplikasi"
@@ -1111,12 +1120,17 @@ msgstr "Salin"
msgid "Copy {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Salin tautan ke daftar"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Salin tautan ke postingan"
@@ -1124,8 +1138,8 @@ msgstr "Salin tautan ke postingan"
#~ msgid "Copy link to profile"
#~ msgstr "Salin tautan ke profil"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Salin teks postingan"
@@ -1138,7 +1152,7 @@ msgstr "Kebijakan Hak Cipta"
msgid "Could not load feed"
msgstr "Tidak dapat memuat feed"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "Tidak dapat memuat daftar"
@@ -1146,31 +1160,34 @@ msgstr "Tidak dapat memuat daftar"
#~ msgid "Country"
#~ msgstr "Negara"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Buat akun baru"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Buat akun Bluesky baru"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Buat Akun"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "Buat Kata Sandi Aplikasi"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Buat akun baru"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr ""
@@ -1204,7 +1221,7 @@ msgid "Custom domain"
msgstr "Domain kustom"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "Feed khusus yang dibuat oleh komunitas memberikan pengalaman baru dan membantu Anda menemukan konten yang Anda sukai."
@@ -1216,8 +1233,8 @@ msgstr "Sesuaikan media dari situs eksternal."
#~ msgid "Danger Zone"
#~ msgstr "Zona Berbahaya"
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Gelap"
@@ -1225,11 +1242,11 @@ msgstr "Gelap"
msgid "Dark mode"
msgstr "Mode gelap"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Tema Gelap"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
@@ -1237,7 +1254,7 @@ msgstr ""
#~ msgid "Debug"
#~ msgstr "Debug"
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1245,13 +1262,13 @@ msgstr ""
msgid "Debug panel"
msgstr "Panel debug"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr ""
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Hapus akun"
@@ -1267,7 +1284,7 @@ msgstr "Hapus kata sandi aplikasi"
msgid "Delete app password?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Hapus Daftar"
@@ -1279,24 +1296,24 @@ msgstr "Hapus akun saya"
#~ msgid "Delete my account…"
#~ msgstr "Hapus akun saya…"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Hapus Akun Saya…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Hapus postingan"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "Hapus postingan ini?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Dihapus"
@@ -1323,10 +1340,18 @@ msgstr "Deskripsi"
msgid "Did you want to say anything?"
msgstr "Apakah Anda ingin mengatakan sesuatu?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Redup"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1360,7 +1385,7 @@ msgstr "Temukan feed khusus baru"
#~ msgid "Discover new feeds"
#~ msgstr "Temukan feed baru"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr ""
@@ -1380,7 +1405,7 @@ msgstr ""
msgid "Does not include nudity."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1414,7 +1439,7 @@ msgstr "Domain terverifikasi!"
msgid "Done"
msgstr "Selesai"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1497,7 +1522,7 @@ msgctxt "action"
msgid "Edit"
msgstr "Ubah"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr ""
@@ -1507,7 +1532,7 @@ msgstr ""
msgid "Edit image"
msgstr "Edit gambar"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Edit detail daftar"
@@ -1516,8 +1541,8 @@ msgid "Edit Moderation List"
msgstr "Ubah Daftar Moderasi"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Edit Feed Saya"
@@ -1525,18 +1550,18 @@ msgstr "Edit Feed Saya"
msgid "Edit my profile"
msgstr "Edit profil saya"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Edit profil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Edit Profil"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Edit Feed Tersimpan"
@@ -1578,10 +1603,24 @@ msgstr "Email Diupdate"
msgid "Email verified"
msgstr "Email terverifikasi"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "Email:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Aktifkan {0} saja"
@@ -1624,7 +1663,7 @@ msgstr ""
msgid "Enabled"
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Akhir feed"
@@ -1670,7 +1709,7 @@ msgstr "Masukkan tanggal lahir Anda"
#~ msgstr "Masukkan email Anda"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Masukkan alamat email Anda"
@@ -1694,7 +1733,7 @@ msgstr "Masukkan nama pengguna dan kata sandi Anda"
msgid "Error receiving captcha response."
msgstr ""
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Eror:"
@@ -1735,8 +1774,8 @@ msgstr "Keluar dari memasukkan permintaan pencarian"
msgid "Expand alt text"
msgstr "Tampilkan teks alt"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Bentangkan atau ciutkan postingan lengkap yang Anda balas"
@@ -1748,12 +1787,12 @@ msgstr ""
msgid "Explicit sexual images."
msgstr ""
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr ""
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr ""
@@ -1769,11 +1808,11 @@ msgstr "Media eksternal memungkinkan situs web untuk mengumpulkan informasi tent
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Preferensi Media Eksternal"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Pengaturan media eksternal"
@@ -1786,12 +1825,12 @@ msgstr "Gagal membuat kata sandi aplikasi."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "Gagal membuat daftar. Periksa koneksi internet Anda dan coba lagi."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "Gagal menghapus postingan, silakan coba lagi"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Gagal memuat rekomendasi feed"
@@ -1807,7 +1846,7 @@ msgstr "Feed"
msgid "Feed by {0}"
msgstr "Feed oleh {0}"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Feed offline"
@@ -1816,18 +1855,18 @@ msgstr "Feed offline"
#~ msgstr "Preferensi Feed"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Masukan"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Feed"
@@ -1839,11 +1878,11 @@ msgstr "Feed"
#~ msgid "Feeds are created by users and organizations. They offer you varied experiences and suggest content you may like using algorithms."
#~ msgstr "Feed dibuat oleh pengguna dan organisasi. Mereka menawarkan Anda pengalaman yang beragam dan menyarankan konten yang mungkin Anda sukai menggunakan algoritma."
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Feed dibuat oleh pengguna untuk mengkurasi konten. Pilih beberapa feed yang menurut Anda menarik."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Feed adalah algoritma khusus yang dibuat oleh pengguna dengan sedikit keahlian pengkodean. <0/> untuk informasi lebih lanjut."
@@ -1869,11 +1908,11 @@ msgstr "Menyelesaikan"
msgid "Find accounts to follow"
msgstr "Temukan akun untuk diikuti"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Temukan pengguna di Bluesky"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Temukan pengguna dengan alat pencarian di sebelah kanan"
@@ -1911,10 +1950,10 @@ msgid "Flip vertically"
msgstr "Balik secara vertikal"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Ikuti"
@@ -1950,11 +1989,11 @@ msgstr "Ikuti akun yang dipilih dan lanjutkan ke langkah berikutnya"
#~ msgid "Follow selected accounts and continue to then next step"
#~ msgstr "Ikuti akun yang dipilih dan lanjutkan ke langkah berikutnya"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Ikuti beberapa pengguna untuk memulai. Kami dapat merekomendasikan lebih banyak pengguna yang mungkin menarik Anda."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "Diikuti oleh {0}"
@@ -1966,7 +2005,7 @@ msgstr "Pengguna yang diikuti"
msgid "Followed users only"
msgstr "Hanya pengguna yang diikuti"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "mengikuti Anda"
@@ -1978,7 +2017,7 @@ msgstr "Pengikut"
#~ msgid "following"
#~ msgstr "mengikuti"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1989,15 +2028,15 @@ msgstr "Mengikuti"
msgid "Following {0}"
msgstr "Mengikuti {0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr ""
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr ""
@@ -2005,7 +2044,7 @@ msgstr ""
msgid "Follows you"
msgstr "Mengikuti Anda"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Mengikuti Anda"
@@ -2051,7 +2090,7 @@ msgstr ""
msgid "From @{sanitizedAuthor}"
msgstr ""
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "Dari <0/>"
@@ -2075,7 +2114,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Kembali"
@@ -2085,15 +2124,15 @@ msgstr "Kembali"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Kembali"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "Kembali ke langkah sebelumnya"
@@ -2105,7 +2144,7 @@ msgstr ""
msgid "Go Home"
msgstr ""
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "Kembali ke @{queryMaybeHandle}"
@@ -2135,16 +2174,16 @@ msgstr ""
#~ msgid "Hashtag: {tag}"
#~ msgstr ""
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr ""
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "Mengalami masalah?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Bantuan"
@@ -2177,17 +2216,17 @@ msgstr "Berikut kata sandi aplikasi Anda."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Sembunyikan"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "Sembunyikan"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Sembunyikan postingan"
@@ -2196,11 +2235,11 @@ msgstr "Sembunyikan postingan"
msgid "Hide the content"
msgstr "Sembunyikan konten"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "Sembunyikan postingan ini?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Sembunyikan daftar pengguna"
@@ -2236,11 +2275,11 @@ msgstr ""
msgid "Hmmmm, we couldn't load that moderation service."
msgstr ""
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Beranda"
@@ -2294,11 +2333,11 @@ msgstr "Jika tidak ada yang dipilih, cocok untuk semua umur."
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr ""
@@ -2391,7 +2430,7 @@ msgstr "Masukkan kata sandi Anda"
msgid "Input your preferred hosting provider"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Masukkan handle pengguna Anda"
@@ -2435,8 +2474,7 @@ msgstr "Kode undangan: 1 tersedia"
msgid "It shows posts from the people you follow as they happen."
msgstr "Feed ini menampilkan postingan secara langsung dari orang yang Anda ikuti."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Karir"
@@ -2469,11 +2507,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2493,7 +2531,7 @@ msgstr ""
msgid "Language selection"
msgstr "Pilih bahasa"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Pengaturan bahasa"
@@ -2502,7 +2540,7 @@ msgstr "Pengaturan bahasa"
msgid "Language Settings"
msgstr "Pengaturan Bahasa"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Bahasa"
@@ -2510,6 +2548,10 @@ msgstr "Bahasa"
#~ msgid "Last step!"
#~ msgstr "Langkah terakhir!"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr "Pelajari lebih lanjut"
@@ -2548,7 +2590,7 @@ msgstr "Meninggalkan Bluesky"
msgid "left to go."
msgstr "yang tersisa"
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "Penyimpanan lama dihapus, Anda perlu memulai ulang aplikasi sekarang."
@@ -2566,16 +2608,16 @@ msgstr "Ayo!"
#~ msgid "Library"
#~ msgstr "Pustaka"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Terang"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "Suka"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Suka feed ini"
@@ -2599,13 +2641,13 @@ msgstr "Disukai oleh {0} {1}"
msgid "Liked by {count} {0}"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "Disukai oleh {likeCount} {0}"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "menyukai feed khusus Anda"
@@ -2617,11 +2659,11 @@ msgstr "menyukai feed khusus Anda"
#~ msgid "liked your custom feed{0}"
#~ msgstr "menyukai feed khusus Anda{0}"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "menyukai postingan Anda"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Suka"
@@ -2637,7 +2679,7 @@ msgstr "Daftar"
msgid "List Avatar"
msgstr "Avatar Daftar"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Daftar diblokir"
@@ -2645,11 +2687,11 @@ msgstr "Daftar diblokir"
msgid "List by {0}"
msgstr "Daftar oleh {0}"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Daftar dihapus"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Daftar dibisukan"
@@ -2657,20 +2699,20 @@ msgstr "Daftar dibisukan"
msgid "List Name"
msgstr "Nama Daftar"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Daftar tidak diblokir"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Daftar tidak dibisukan"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Daftar"
@@ -2683,10 +2725,10 @@ msgstr "Daftar"
msgid "Load new notifications"
msgstr "Muat notifikasi baru"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Muat postingan baru"
@@ -2740,7 +2782,7 @@ msgstr ""
#~ msgid "May only contain letters and numbers"
#~ msgstr ""
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Media"
@@ -2753,7 +2795,7 @@ msgid "Mentioned users"
msgstr "Pengguna yang disebutkan"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Menu"
@@ -2770,10 +2812,10 @@ msgstr ""
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Moderasi"
@@ -2786,13 +2828,13 @@ msgstr ""
msgid "Moderation list by {0}"
msgstr "Daftar moderasi oleh {0}"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "Daftar moderasi oleh <0/>"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Daftar moderasi oleh Anda"
@@ -2813,7 +2855,7 @@ msgstr "Daftar moderasi"
msgid "Moderation Lists"
msgstr "Daftar Moderasi"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Pengaturan moderasi"
@@ -2830,7 +2872,7 @@ msgstr ""
msgid "Moderator has chosen to set a general warning on the content."
msgstr "Moderator telah memilih untuk menetapkan peringatan umum pada konten."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr ""
@@ -2838,7 +2880,7 @@ msgstr ""
msgid "More feeds"
msgstr "Feed lainnya"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Pilihan lainnya"
@@ -2867,7 +2909,7 @@ msgstr ""
msgid "Mute Account"
msgstr "Bisukan Akun"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Bisukan akun"
@@ -2887,12 +2929,12 @@ msgstr ""
msgid "Mute in text & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Daftar akun yang dibisukan"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "Bisukan akun ini?"
@@ -2908,13 +2950,13 @@ msgstr ""
msgid "Mute this word in tags only"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Bisukan utasan"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr ""
@@ -2927,11 +2969,11 @@ msgid "Muted accounts"
msgstr "Akun yang dibisukan"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Akun yang Dibisukan"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Postingan dari akun yang dibisukan akan dihilangkan dari feed dan notifikasi Anda. Pembisuan ini bersifat privat."
@@ -2943,7 +2985,7 @@ msgstr ""
msgid "Muted words & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Pembisuan akun bersifat privat. Akun yang dibisukan tetap dapat berinteraksi dengan Anda, namun Anda tidak akan melihat postingan atau notifikasi dari mereka."
@@ -2952,7 +2994,7 @@ msgstr "Pembisuan akun bersifat privat. Akun yang dibisukan tetap dapat berinter
msgid "My Birthday"
msgstr "Tanggal Lahir Saya"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Feed Saya"
@@ -2960,11 +3002,11 @@ msgstr "Feed Saya"
msgid "My Profile"
msgstr "Profil Saya"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "Feed Tersimpan Saya"
@@ -2992,7 +3034,7 @@ msgid "Nature"
msgstr "Alam"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Menuju ke layar berikutnya"
@@ -3001,7 +3043,7 @@ msgstr "Menuju ke layar berikutnya"
msgid "Navigates to your profile"
msgstr "Menuju ke profil Anda"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr ""
@@ -3053,12 +3095,12 @@ msgctxt "action"
msgid "New post"
msgstr "Postingan baru"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Postingan baru"
@@ -3085,12 +3127,12 @@ msgstr "Berita"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3114,8 +3156,8 @@ msgstr "Gambar berikutnya"
msgid "No"
msgstr "Tidak"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Tidak ada deskripsi"
@@ -3127,7 +3169,7 @@ msgstr ""
msgid "No longer following {0}"
msgstr "Tidak lagi mengikuti {0}"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -3144,13 +3186,13 @@ msgstr "Tidak ada hasil"
msgid "No results found"
msgstr ""
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "Tidak ada hasil ditemukan untuk \"{query}\""
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "Tidak ada hasil ditemukan untuk {query}"
@@ -3177,7 +3219,7 @@ msgid "Not Applicable."
msgstr "Tidak Berlaku."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "Tidak ditemukan"
@@ -3187,8 +3229,8 @@ msgid "Not right now"
msgstr "Jangan sekarang"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -3196,13 +3238,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Catatan: Bluesky merupakan jaringan terbuka dan publik. Pengaturan ini hanya akan membatasi visibilitas konten Anda pada aplikasi dan website Bluesky, dan aplikasi lain mungkin tidak mengindahkan pengaturan ini. Konten Anda mungkin tetap ditampilkan kepada pengguna yang tidak login oleh aplikasi dan website lain."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Notifikasi"
@@ -3218,7 +3260,7 @@ msgstr ""
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr ""
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -3235,7 +3277,7 @@ msgid "Oh no! Something went wrong."
msgstr "Oh tidak! Sepertinya ada yang salah."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr ""
@@ -3247,7 +3289,7 @@ msgstr "Baiklah"
msgid "Oldest replies first"
msgstr "Balasan terlama terlebih dahulu"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Atur ulang orientasi"
@@ -3259,7 +3301,7 @@ msgstr "Satu atau lebih gambar belum ada teks alt."
msgid "Only {0} can reply."
msgstr "Hanya {0} dapat membalas."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -3269,7 +3311,7 @@ msgstr ""
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Uups!"
@@ -3286,11 +3328,11 @@ msgstr "Buka"
msgid "Open emoji picker"
msgstr "Buka pemilih emoji"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Buka tautan dengan browser dalam aplikasi"
@@ -3302,20 +3344,20 @@ msgstr ""
#~ msgid "Open muted words settings"
#~ msgstr ""
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Buka navigasi"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Buka halaman buku cerita"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr ""
@@ -3327,7 +3369,7 @@ msgstr "Membuka opsi {numItems}"
msgid "Opens additional details for a debug entry"
msgstr "Membuka detail tambahan untuk entri debug"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "Membuka daftar pengguna yang diperluas dalam notifikasi ini"
@@ -3339,7 +3381,7 @@ msgstr "Membuka kamera pada perangkat"
msgid "Opens composer"
msgstr "Membuka penyusun postingan"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Membuka pengaturan bahasa yang dapat dikonfigurasi"
@@ -3351,19 +3393,17 @@ msgstr "Membuka galeri foto perangkat"
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr "Membuka editor untuk nama tampilan profil, avatar, gambar latar belakang, dan deskripsi"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Membuka pengaturan penyematan eksternal"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr ""
@@ -3383,7 +3423,7 @@ msgstr ""
msgid "Opens list of invite codes"
msgstr "Membuka daftar kode undangan"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
@@ -3391,19 +3431,19 @@ msgstr ""
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr "Membuka modal untuk konfirmasi penghapusan akun. Membutuhkan kode email."
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3411,7 +3451,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr "Buka modal untuk menggunakan domain kustom"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Buka pengaturan moderasi"
@@ -3419,16 +3459,16 @@ msgstr "Buka pengaturan moderasi"
msgid "Opens password reset form"
msgstr "Membuka formulir pengaturan ulang kata sandi"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Membuka layar untuk mengedit Feed Tersimpan"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Buka halaman dengan semua feed tersimpan"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr ""
@@ -3436,7 +3476,7 @@ msgstr ""
#~ msgid "Opens the app password settings page"
#~ msgstr "Buka halaman pengaturan kata sandi aplikasi"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr ""
@@ -3448,16 +3488,16 @@ msgstr ""
msgid "Opens the linked website"
msgstr ""
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Buka halaman storybook"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Buka halaman log sistem"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Buka preferensi utasan"
@@ -3465,7 +3505,7 @@ msgstr "Buka preferensi utasan"
msgid "Option {0} of {numItems}"
msgstr "Opsi {0} dari {numItems}"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr ""
@@ -3503,7 +3543,7 @@ msgid "Page Not Found"
msgstr "Halaman Tidak Ditemukan"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3521,6 +3561,11 @@ msgstr "Kata sandi diganti"
msgid "Password updated!"
msgstr "Kata sandi diganti!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "Orang yang diikuti oleh @{0}"
@@ -3549,16 +3594,16 @@ msgstr "Hewan Peliharaan"
msgid "Pictures meant for adults."
msgstr "Gambar yang ditujukan untuk orang dewasa."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "Sematkan ke beranda"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Feed Tersemat"
@@ -3679,7 +3724,7 @@ msgstr "Postingan oleh {0}"
msgid "Post by @{0}"
msgstr "Postingan oleh @{0}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Postingan dihapus"
@@ -3714,7 +3759,8 @@ msgstr "Postingan tidak ditemukan"
msgid "posts"
msgstr ""
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Postingan"
@@ -3730,13 +3776,13 @@ msgstr "Postingan disembunyikan"
msgid "Potentially Misleading Link"
msgstr "Tautan yang Mungkin Menyesatkan"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr ""
@@ -3752,7 +3798,7 @@ msgstr "Bahasa Utama"
msgid "Prioritize Your Follows"
msgstr "Prioritaskan Pengikut Anda"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Privasi"
@@ -3760,8 +3806,8 @@ msgstr "Privasi"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Kebijakan Privasi"
@@ -3770,15 +3816,15 @@ msgid "Processing..."
msgstr "Memproses..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Profil"
@@ -3786,7 +3832,7 @@ msgstr "Profil"
msgid "Profile updated"
msgstr "Profil diperbarui"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Amankan akun Anda dengan memverifikasi email Anda."
@@ -3835,15 +3881,15 @@ msgstr "Acak (alias \"Rolet Poster\")"
msgid "Ratios"
msgstr "Rasio"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Feed Direkomendasikan"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Pengguna Direkomendasikan"
@@ -3864,7 +3910,7 @@ msgstr "Hapus"
msgid "Remove account"
msgstr "Hapus akun"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr ""
@@ -3882,8 +3928,8 @@ msgstr ""
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Hapus dari feed saya"
@@ -3928,7 +3974,7 @@ msgstr "Dihapus dari daftar"
msgid "Removed from my feeds"
msgstr "Dihapus dari feed saya"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr ""
@@ -3936,7 +3982,7 @@ msgstr ""
msgid "Removes default thumbnail from {0}"
msgstr "Menghapus gambar pra tinjau bawaan dari {0}"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Balasan"
@@ -3953,8 +3999,8 @@ msgstr "Balas"
msgid "Reply Filters"
msgstr "Penyaring Balasan"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "Balas ke <0/>"
@@ -3972,17 +4018,17 @@ msgstr "Laporkan Akun"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Laporkan feed"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Laporkan Daftar"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Laporkan postingan"
@@ -4031,7 +4077,7 @@ msgstr "Posting ulang atau kutip postingan"
msgid "Reposted By"
msgstr "Diposting Ulang Oleh"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "Diposting ulang oleh {0}"
@@ -4040,10 +4086,14 @@ msgstr "Diposting ulang oleh {0}"
#~ msgstr "Diposting ulang oleh {0})"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "Diposting ulang oleh <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "Diposting ulang oleh <0/>"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "posting ulang posting Anda"
@@ -4065,7 +4115,7 @@ msgstr "Ajukan Perubahan"
msgid "Request Code"
msgstr "Minta Kode"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Memerlukan teks alt sebelum memposting"
@@ -4085,8 +4135,8 @@ msgstr "Kode Reset"
#~ msgid "Reset onboarding"
#~ msgstr "Atur ulang onboarding"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Reset status onboarding"
@@ -4098,16 +4148,16 @@ msgstr "Reset kata sandi"
#~ msgid "Reset preferences"
#~ msgstr "Atur ulang preferensi"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Atur ulang status preferensi"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Reset status onboarding"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Reset status preferensi"
@@ -4126,7 +4176,7 @@ msgstr "Coba kembali tindakan terakhir, yang gagal"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
@@ -4137,7 +4187,7 @@ msgstr "Ulangi"
#~ msgstr "Ulangi"
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Kembali ke halaman sebelumnya"
@@ -4187,12 +4237,12 @@ msgstr "Simpan perubahan handle"
msgid "Save image crop"
msgstr "Simpan potongan gambar"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Simpan Feed"
@@ -4200,7 +4250,7 @@ msgstr "Simpan Feed"
msgid "Saved to your camera roll."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr ""
@@ -4220,28 +4270,28 @@ msgstr ""
msgid "Science"
msgstr "Sains"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Gulir ke atas"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Cari"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "Cari \"{query}\""
@@ -4296,13 +4346,18 @@ msgstr ""
#~ msgid "See <0>{tag}0> posts by this user"
#~ msgstr ""
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Lihat panduan ini"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Lihat apa yang akan datang"
+#~ msgid "See what's next"
+#~ msgstr "Lihat apa yang akan datang"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4341,7 +4396,7 @@ msgstr "Pilih opsi {i} dari {numItems}"
msgid "Select some accounts below to follow"
msgstr "Pilih beberapa akun di bawah ini untuk diikuti"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4373,7 +4428,7 @@ msgstr "Pilih bahasa yang ingin Anda langgani di feed Anda. Jika tidak memilih,
msgid "Select your app language for the default text to display in the app."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4414,13 +4469,13 @@ msgstr "Kirim Email"
#~ msgid "Send Email"
#~ msgstr "Kirim Email"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Kirim masukan"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr ""
@@ -4514,23 +4569,23 @@ msgstr "Atur akun Anda"
msgid "Sets Bluesky username"
msgstr "Atur nama pengguna Bluesky"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr ""
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr ""
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr ""
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr ""
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr ""
@@ -4564,10 +4619,10 @@ msgstr ""
#~ msgstr "Atur server untuk klien Bluesky"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Pengaturan"
@@ -4586,21 +4641,21 @@ msgstr "Bagikan"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Bagikan"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Bagikan feed"
@@ -4617,7 +4672,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Tampilkan"
@@ -4647,9 +4702,9 @@ msgstr ""
msgid "Show follows similar to {0}"
msgstr "Tampilkan berikut ini mirip dengan {0}"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Tampilkan Lebih Lanjut"
@@ -4706,7 +4761,7 @@ msgstr "Tampilkan posting ulang di Mengikuti"
msgid "Show the content"
msgstr "Tampilkan konten"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Tampilkan pengguna"
@@ -4726,24 +4781,24 @@ msgstr ""
msgid "Shows posts from {0} in your feed"
msgstr "Tampilkan postingan dari {0} di feed Anda"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Masuk"
@@ -4761,28 +4816,36 @@ msgstr "Masuk sebagai {0}"
msgid "Sign in as..."
msgstr "Masuk sebagai..."
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "Masuk ke"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Keluar"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Daftar"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Daftar atau masuk untuk bergabung dalam obrolan"
@@ -4791,7 +4854,7 @@ msgstr "Daftar atau masuk untuk bergabung dalam obrolan"
msgid "Sign-in Required"
msgstr "Dibutuhkan Masuk"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Masuk sebagai"
@@ -4827,7 +4890,7 @@ msgstr "Pengembang Perangkat Lunak"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr ""
@@ -4839,7 +4902,7 @@ msgstr ""
#~ msgid "Something went wrong. Check your email and try again."
#~ msgstr "Ada yang tidak beres. Periksa email Anda dan coba lagi."
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "Maaf! Sesi Anda telah berakhir. Silakan masuk lagi."
@@ -4875,11 +4938,11 @@ msgstr "Persegi"
#~ msgid "Staging"
#~ msgstr "Staging"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Halaman status"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4891,12 +4954,12 @@ msgstr ""
#~ msgid "Step {step} of 3"
#~ msgstr "Langkah {step} dari 3"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "Penyimpanan dihapus, Anda perlu memulai ulang aplikasi sekarang."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Storybook"
@@ -4905,15 +4968,15 @@ msgstr "Storybook"
msgid "Submit"
msgstr "Kirim"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Langganan"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4922,15 +4985,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr "Langganan ke feed {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Langganan ke daftar ini"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Saran untuk Diikuti"
@@ -4957,19 +5020,19 @@ msgstr "Dukungan"
msgid "Switch Account"
msgstr "Pindah Akun"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "Beralih ke {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Mengganti akun yang Anda masuki"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "Sistem"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Log sistem"
@@ -5003,9 +5066,9 @@ msgstr "Ketentuan"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Ketentuan Layanan"
@@ -5023,7 +5086,7 @@ msgstr ""
msgid "Text input field"
msgstr "Area input teks"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr ""
@@ -5031,11 +5094,11 @@ msgstr ""
msgid "That contains the following:"
msgstr ""
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "Akun ini akan dapat berinteraksi dengan Anda setelah blokir dibuka."
@@ -5088,8 +5151,8 @@ msgstr "Ketentuan Layanan telah dipindahkan ke"
msgid "There are many feeds to try:"
msgstr "Ada banyak feed untuk dicoba:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Ada masalah saat menghubungi server, silakan periksa koneksi internet Anda dan coba lagi."
@@ -5097,15 +5160,15 @@ msgstr "Ada masalah saat menghubungi server, silakan periksa koneksi internet An
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Ada masalah saat menghapus feed ini. Periksa koneksi internet Anda dan coba lagi."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Ada masalah saat memperbarui feed Anda, periksa koneksi internet Anda dan coba lagi."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "Ada masalah saat menghubungi server"
@@ -5128,12 +5191,12 @@ msgstr "Ada masalah saat mengambil postingan. Ketuk di sini untuk mencoba lagi."
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Ada masalah saat mengambil daftar. Ketuk di sini untuk mencoba lagi."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Ada masalah saat mengambil daftar Anda. Ketuk di sini untuk mencoba lagi."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr ""
@@ -5159,10 +5222,10 @@ msgstr "Ada masalah dengan pengambilan kata sandi aplikasi Anda"
msgid "There was an issue! {0}"
msgstr "Ada masalah! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Ada masalah. Periksa koneksi internet Anda dan coba lagi."
@@ -5234,9 +5297,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Feed ini sedang menerima terlalu banyak trafik dan sementara tidak tersedia. Silakan coba lagi nanti."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Feed ini kosong!"
@@ -5260,7 +5323,7 @@ msgstr "Ini penting jika Anda butuh untuk mengganti email atau reset kata sandi
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -5268,7 +5331,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr "Tautan ini akan membawa Anda ke website:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "Daftar ini kosong!"
@@ -5284,12 +5347,12 @@ msgstr "Nama ini sudah digunakan"
msgid "This post has been deleted."
msgstr "Postingan ini telah dihapus."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr ""
@@ -5354,12 +5417,12 @@ msgstr ""
#~ msgid "This will hide this post from your feeds."
#~ msgstr "Ini akan menyembunyikan postingan ini dari feed Anda."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr ""
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Preferensi Utasan"
@@ -5387,14 +5450,18 @@ msgstr "Beralih dropdown"
msgid "Toggle to enable or disable adult content"
msgstr ""
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Transformasi"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Terjemahkan"
@@ -5410,11 +5477,11 @@ msgstr "Coba lagi"
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Buka blokir daftar"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Bunyikan daftar"
@@ -5422,15 +5489,15 @@ msgstr "Bunyikan daftar"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "Tidak dapat terhubung ke layanan. Mohon periksa koneksi internet Anda."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Buka blokir"
@@ -5444,7 +5511,7 @@ msgstr "Buka blokir"
msgid "Unblock Account"
msgstr "Buka blokir Akun"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr ""
@@ -5457,7 +5524,7 @@ msgid "Undo repost"
msgstr "Batalkan posting ulang"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr ""
@@ -5479,16 +5546,16 @@ msgstr ""
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "Sayangnya, Anda tidak memenuhi syarat untuk membuat akun."
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "Tidak suka"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr ""
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Bunyikan"
@@ -5509,21 +5576,21 @@ msgstr ""
#~ msgid "Unmute all {tag} posts"
#~ msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Bunyikan utasan"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Lepas sematan"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr ""
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Lepas sematan daftar moderasi"
@@ -5531,11 +5598,11 @@ msgstr "Lepas sematan daftar moderasi"
#~ msgid "Unsave"
#~ msgstr "Batal simpan"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5563,20 +5630,20 @@ msgstr "Memperbarui..."
msgid "Upload a text file to:"
msgstr "Unggah berkas teks ke:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5654,13 +5721,13 @@ msgstr "Pengguna Memblokir Anda"
msgid "User list by {0}"
msgstr "Daftar pengguna oleh {0}"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "Daftar pengguna oleh<0/>"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "Daftar pengguna oleh Anda"
@@ -5680,7 +5747,9 @@ msgstr "Daftar Pengguna"
msgid "Username or email address"
msgstr "Nama pengguna atau alamat email"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Pengguna"
@@ -5708,15 +5777,15 @@ msgstr ""
msgid "Verify {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "Verifikasi email"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Verifikasi email saya"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Verifikasi Email Saya"
@@ -5729,7 +5798,7 @@ msgstr "Verifikasi Email Baru"
msgid "Verify Your Email"
msgstr "Verifikasi Email Anda"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5745,11 +5814,11 @@ msgstr "Lihat avatar {0}"
msgid "View debug entry"
msgstr "Lihat entri debug"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr ""
@@ -5761,6 +5830,8 @@ msgstr "Lihat utas lengkap"
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Lihat profil"
@@ -5773,7 +5844,7 @@ msgstr "Lihat avatar"
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5857,11 +5928,11 @@ msgstr "Kami akan memberi tahu Anda ketika akun Anda siap."
msgid "We'll use this to help customize your experience."
msgstr "Kami akan menggunakan ini untuk menyesuaikan pengalaman Anda."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Kami sangat senang Anda bergabung dengan kami!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Mohon maaf, kami tidak dapat menyelesaikan daftar ini. Jika hal ini terus berlanjut, silakan hubungi pembuat daftar, @{handleOrDid}."
@@ -5869,7 +5940,7 @@ msgstr "Mohon maaf, kami tidak dapat menyelesaikan daftar ini. Jika hal ini teru
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr ""
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Maaf, pencarian Anda tidak dapat dilakukan. Mohon coba lagi dalam beberapa menit."
@@ -5878,7 +5949,7 @@ msgstr "Maaf, pencarian Anda tidak dapat dilakukan. Mohon coba lagi dalam bebera
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Maaf! Kami tidak dapat menemukan halaman yang Anda cari."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5897,8 +5968,8 @@ msgstr "Apa saja minat Anda?"
#~ msgid "What's next?"
#~ msgstr "Apa selanjutnya?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "Apa kabar?"
@@ -6009,15 +6080,15 @@ msgstr ""
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "Anda belum memiliki kode undangan! Kami akan mengirimkan kode saat Anda sudah sedikit lama di Bluesky."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "Anda tidak memiliki feed yang disematkan."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "Anda tidak memiliki feed yang disimpan!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "Anda tidak memiliki feed yang disimpan."
@@ -6059,16 +6130,16 @@ msgstr ""
#~ msgid "You have muted this user."
#~ msgstr "Anda telah membisukan pengguna ini."
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "Anda tidak punya feed."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "Anda tidak punya daftar."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
@@ -6080,7 +6151,7 @@ msgstr ""
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Anda belum membuat kata sandi aplikasi. Anda dapat membuatnya dengan menekan tombol di bawah ini."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
@@ -6108,15 +6179,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "Anda harus berusia 18 tahun atau lebih untuk mengaktifkan konten dewasa"
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Anda tidak akan lagi menerima notifikasi untuk utas ini"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Anda sekarang akan menerima notifikasi untuk utas ini"
@@ -6147,7 +6218,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Anda telah mencapai akhir feed Anda! Temukan beberapa akun lain untuk diikuti."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Akun Anda"
@@ -6159,7 +6230,7 @@ msgstr "Akun Anda telah dihapus"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "Tanggal lahir Anda"
@@ -6193,7 +6264,7 @@ msgstr "Alamat email Anda belum diverifikasi. Ini merupakan langkah keamanan pen
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Feed mengikuti Anda kosong! Ikuti lebih banyak pengguna untuk melihat apa yang terjadi."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Handle lengkap Anda akan menjadi"
@@ -6229,7 +6300,7 @@ msgstr "Postingan Anda telah dipublikasikan"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Postingan, suka, dan blokir Anda bersifat publik. Bisukan bersifat privat."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Profil Anda"
@@ -6237,6 +6308,6 @@ msgstr "Profil Anda"
msgid "Your reply has been published"
msgstr "Balasan Anda telah dipublikasikan"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Handle Anda"
diff --git a/src/locale/locales/it/messages.po b/src/locale/locales/it/messages.po
index c8eda439d2..a2b61ed114 100644
--- a/src/locale/locales/it/messages.po
+++ b/src/locale/locales/it/messages.po
@@ -27,6 +27,7 @@ msgstr "(no email)"
#~ msgid "{0} {purposeLabel} List"
#~ msgstr "Lista {purposeLabel} {0}"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} seguendo"
@@ -43,7 +44,7 @@ msgstr "{following} seguendo"
#~ msgid "{message}"
#~ msgstr "{message}"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} non letto"
@@ -55,15 +56,20 @@ msgstr "<0/> membri"
msgid "<0>{0}0> following"
msgstr "<0>{0}0> following"
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>following1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Scegli I tuoi0><1>feeds1><2>consigliati2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Segui alcuni0><1>utenti1><2>consigliati2>"
@@ -71,7 +77,7 @@ msgstr "<0>Segui alcuni0><1>utenti1><2>consigliati2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Ti diamo il benvenuto su0><1>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Nome utente non valido"
@@ -82,16 +88,16 @@ msgstr "⚠Nome utente non valido"
#~ msgstr "È disponibile una nuova versione dell'app. Aggiorna per continuare a utilizzarla."
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Accedi alle impostazioni di navigazione"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Accedi al profilo e altre impostazioni di navigazione"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Accessibilità"
@@ -100,8 +106,8 @@ msgid "account"
msgstr "account"
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Account"
@@ -151,7 +157,7 @@ msgstr "Account non silenziato"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Aggiungi"
@@ -159,13 +165,13 @@ msgstr "Aggiungi"
msgid "Add a content warning"
msgstr "Aggiungi un avviso sul contenuto"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Aggiungi un utente a questo elenco"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Aggiungi account"
@@ -247,11 +253,11 @@ msgid "Adult content is disabled."
msgstr "Il contenuto per adulti è disattivato."
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Avanzato"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "Tutti i feed che hai salvato, in un unico posto."
@@ -288,6 +294,8 @@ msgstr "Una email è stata inviata al tuo indirizzo precedente, {0}. Include un
msgid "An issue not included in these options"
msgstr "Un problema non incluso in queste opzioni"
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -295,7 +303,7 @@ msgstr "Un problema non incluso in queste opzioni"
msgid "An issue occurred, please try again."
msgstr "Si è verificato un problema, riprova un'altra volta."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "e"
@@ -324,7 +332,7 @@ msgstr "Le password per le app possono contenere solo lettere, numeri, spazi, tr
msgid "App Password names must be at least 4 characters long."
msgstr "I nomi delle password delle app devono contenere almeno 4 caratteri."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "Impostazioni della password dell'app"
@@ -333,7 +341,7 @@ msgstr "Impostazioni della password dell'app"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Passwords dell'App"
@@ -365,7 +373,7 @@ msgstr "Ricorso presentato."
#~ msgid "Appeal this decision."
#~ msgstr "Appella contro questa decisione."
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Aspetto"
@@ -400,7 +408,7 @@ msgstr "Arte"
msgid "Artistic or non-erotic nudity."
msgstr "Nudità artistica o non erotica."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -415,7 +423,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Indietro"
@@ -428,7 +436,7 @@ msgstr "Indietro"
msgid "Based on your interest in {interestsText}"
msgstr "Basato sui tuoi interessi {interestsText}"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Preferenze"
@@ -436,11 +444,11 @@ msgstr "Preferenze"
msgid "Birthday"
msgstr "Compleanno"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Compleanno:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr "Blocca"
@@ -454,16 +462,16 @@ msgstr "Blocca Account"
msgid "Block Account?"
msgstr "Blocca Account?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Blocca gli accounts"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Lista di blocchi"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "Vuoi bloccare questi accounts?"
@@ -471,7 +479,7 @@ msgstr "Vuoi bloccare questi accounts?"
#~ msgstr "Blocca questa Lista"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Bloccato"
@@ -480,7 +488,7 @@ msgid "Blocked accounts"
msgstr "Accounts bloccati"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Accounts bloccati"
@@ -488,7 +496,7 @@ msgstr "Accounts bloccati"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Gli account bloccati non possono rispondere alle tue discussioni, menzionarti o interagire in nessun altro modo con te."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Gli account bloccati non possono rispondere alle tue discussioni, menzionarti, o interagire in nessun altro modo con te. Non vedrai il loro contenuto e non vedranno il tuo."
@@ -496,11 +504,11 @@ msgstr "Gli account bloccati non possono rispondere alle tue discussioni, menzio
msgid "Blocked post."
msgstr "Post bloccato."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr "Il blocco non impedisce al labeler di inserire etichette nel tuo account."
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "l blocco è pubblico. Gli account bloccati non possono rispondere alle tue discussioni, menzionarti, o interagire con te in nessun altro modo."
@@ -508,12 +516,10 @@ msgstr "l blocco è pubblico. Gli account bloccati non possono rispondere alle t
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr "Il blocco non impedirà l'applicazione delle etichette al tuo account, ma impedirà a questo account di rispondere alle tue discussioni o di interagire con te."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blog"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -564,8 +570,7 @@ msgstr "Libri"
#~ msgid "Build version {0} {1}"
#~ msgstr "Versione {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Attività commerciale"
@@ -626,7 +631,7 @@ msgstr "Può contenere solo lettere, numeri, spazi, trattini e trattini bassi. D
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Cancella"
@@ -678,17 +683,17 @@ msgstr "Annulla l'apertura del sito collegato"
msgid "Change"
msgstr "Cambia"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Cambia"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Cambia il nome utente"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Cambia il Nome Utente"
@@ -696,12 +701,12 @@ msgstr "Cambia il Nome Utente"
msgid "Change my email"
msgstr "Cambia la mia email"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Cambia la password"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Cambia la Password"
@@ -721,11 +726,11 @@ msgstr "Cambia la tua email"
msgid "Check my status"
msgstr "Verifica il mio stato"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Dai un'occhiata ad alcuni feed consigliati. Clicca + per aggiungerli al tuo elenco dei feed."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Scopri alcuni utenti consigliati. Seguili per vedere utenti simili."
@@ -757,36 +762,36 @@ msgstr "Scegli gli algoritmi che migliorano la tua esperienza con i feed persona
msgid "Choose your main feeds"
msgstr "Scegli i tuoi feed principali"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Scegli la tua password"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Cancella tutti i dati legacy in archivio"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Cancella tutti i dati legacy in archivio (poi ricomincia)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Cancella tutti i dati in archivio"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Cancella tutti i dati in archivio (poi ricomincia)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Annulla la ricerca"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr "Cancella tutti i dati di archiviazione legacy"
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr "Cancella tutti i dati di archiviazione"
@@ -798,7 +803,7 @@ msgstr "clicca qui"
msgid "Click here to open tag menu for {tag}"
msgstr "Clicca qui per aprire il menu per {tag}"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "Clicca qui per aprire il menu per #{tag}"
@@ -832,7 +837,7 @@ msgstr "Chiudi l'immagine"
msgid "Close image viewer"
msgstr "Chiudi il visualizzatore di immagini"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Chiudi la navigazione del footer"
@@ -841,7 +846,7 @@ msgstr "Chiudi la navigazione del footer"
msgid "Close this dialog"
msgstr "Chiudi la finestra"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Chiude la barra di navigazione in basso"
@@ -857,7 +862,7 @@ msgstr "Chiude l'editore del post ed elimina la bozza del post"
msgid "Closes viewer for header image"
msgstr "Chiude il visualizzatore dell'immagine di intestazione"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Comprime l'elenco degli utenti per una determinata notifica"
@@ -878,7 +883,7 @@ msgstr "Linee guida della community"
msgid "Complete onboarding and start using your account"
msgstr "Completa l'incorporazione e inizia a utilizzare il tuo account"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "Completa la challenge"
@@ -954,7 +959,7 @@ msgstr "Codice di conferma"
msgid "Connecting..."
msgstr "Connessione in corso..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Contatta il supporto"
@@ -1006,8 +1011,8 @@ msgstr "Sfondo del menu contestuale, clicca per chiudere il menu."
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Continua"
@@ -1020,7 +1025,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Vai al passaggio successivo"
@@ -1041,17 +1046,21 @@ msgstr "Cucina"
msgid "Copied"
msgstr "Copiato"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Versione di build copiata nella clipboard"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "Copiato nel clipboard"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Copia la password dell'app"
@@ -1064,20 +1073,25 @@ msgstr "Copia"
msgid "Copy {0}"
msgstr "Copia {0}"
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Copia il link alla lista"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Copia il link al post"
#~ msgid "Copy link to profile"
#~ msgstr "Copia il link al profilo"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Copia il testo del post"
@@ -1090,38 +1104,41 @@ msgstr "Politica sul diritto d'autore"
msgid "Could not load feed"
msgstr "Feed non caricato"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "No si è potuto caricare la lista"
#~ msgid "Country"
#~ msgstr "Paese"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Crea un nuovo account"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Crea un nuovo Bluesky account"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Crea un account"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "Crea un password per l'app"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Crea un nuovo account"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr "Crea un report per {0}"
@@ -1153,7 +1170,7 @@ msgid "Custom domain"
msgstr "Dominio personalizzato"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "I feed personalizzati creati dalla comunità ti offrono nuove esperienze e ti aiutano a trovare contenuti interessanti."
@@ -1164,8 +1181,8 @@ msgstr "Personalizza i media da i siti esterni."
#~ msgid "Danger Zone"
#~ msgstr "Zona di Pericolo"
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Scuro"
@@ -1173,15 +1190,15 @@ msgstr "Scuro"
msgid "Dark mode"
msgstr "Aspetto scuro"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Tema scuro"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr "Eliminare errori nella Moderazione"
@@ -1189,13 +1206,13 @@ msgstr "Eliminare errori nella Moderazione"
msgid "Debug panel"
msgstr "Pannello per il debug"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr "Elimina"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Elimina l'account"
@@ -1211,7 +1228,7 @@ msgstr "Elimina la password dell'app"
msgid "Delete app password?"
msgstr "Eliminare la password dell'app?"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Elimina la lista"
@@ -1222,24 +1239,24 @@ msgstr "Cancellare account"
#~ msgid "Delete my account…"
#~ msgstr "Cancella il mio account…"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Cancellare Account…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Elimina il post"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr "Elimina questa lista?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "Eliminare questo post?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Eliminato"
@@ -1264,10 +1281,18 @@ msgstr "Descrizione"
msgid "Did you want to say anything?"
msgstr "Volevi dire qualcosa?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Fioco"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1299,7 +1324,7 @@ msgstr "Scopri nuovi feeds personalizzati"
#~ msgid "Discover new feeds"
#~ msgstr "Scopri nuovi feeds"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "Scopri nuovi feeds"
@@ -1319,7 +1344,7 @@ msgstr "Pannello DNS"
msgid "Does not include nudity."
msgstr "Non include nudità."
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1352,7 +1377,7 @@ msgstr "Dominio verificato!"
msgid "Done"
msgstr "Fatto"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1434,7 +1459,7 @@ msgctxt "action"
msgid "Edit"
msgstr "Modifica"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr "Modifica l'avatar"
@@ -1444,7 +1469,7 @@ msgstr "Modifica l'avatar"
msgid "Edit image"
msgstr "Modifica l'immagine"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Modifica i dettagli della lista"
@@ -1453,8 +1478,8 @@ msgid "Edit Moderation List"
msgstr "Modifica l'elenco di moderazione"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Modifica i miei feeds"
@@ -1462,18 +1487,18 @@ msgstr "Modifica i miei feeds"
msgid "Edit my profile"
msgstr "Modifica il mio profilo"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Modifica il profilo"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Modifica il Profilo"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Modifica i feeds memorizzati"
@@ -1515,10 +1540,24 @@ msgstr "Email Aggiornata"
msgid "Email verified"
msgstr "Email verificata"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "Email:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Attiva {0} solo"
@@ -1561,7 +1600,7 @@ msgstr ""
msgid "Enabled"
msgstr "Abilitato"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Fine del feed"
@@ -1605,7 +1644,7 @@ msgstr "Inserisci la tua data di nascita"
#~ msgstr "Inserisci la tua email"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Inserisci il tuo indirizzo email"
@@ -1628,7 +1667,7 @@ msgstr "Inserisci il tuo nome di utente e la tua password"
msgid "Error receiving captcha response."
msgstr "Errore nella risposta del captcha."
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Errore:"
@@ -1668,8 +1707,8 @@ msgstr "Uscita dall'inserzione della domanda di ricerca"
msgid "Expand alt text"
msgstr "Ampliare il testo alternativo"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Espandi o comprimi l'intero post a cui stai rispondendo"
@@ -1681,12 +1720,12 @@ msgstr "Media espliciti o potenzialmente inquietanti."
msgid "Explicit sexual images."
msgstr "Immagini sessuali esplicite."
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "Esporta i miei dati"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "Esporta i miei dati"
@@ -1702,11 +1741,11 @@ msgstr "I multimediali esterni possono consentire ai siti web di raccogliere inf
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Preferenze multimediali esterni"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Impostazioni multimediali esterni"
@@ -1719,12 +1758,12 @@ msgstr "Impossibile creare la password dell'app."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "Impossibile creare l'elenco. Controlla la connessione Internet e riprova."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "Non possiamo eliminare il post, riprova di nuovo"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Non possiamo caricare i feed consigliati"
@@ -1740,7 +1779,7 @@ msgstr "Feed"
msgid "Feed by {0}"
msgstr "Feed fatto da {0}"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Feed offline"
@@ -1748,26 +1787,26 @@ msgstr "Feed offline"
#~ msgstr "Preferenze del feed"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Commenti"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Feeds"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "I feed vengono creati dagli utenti per curare i contenuti. Scegli alcuni feed che ritieni interessanti."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "I feed sono algoritmi personalizzati che gli utenti creano con un minimo di esperienza nella codifica. Vedi <0/> per ulteriori informazioni."
@@ -1793,11 +1832,11 @@ msgstr "Finalizzando"
msgid "Find accounts to follow"
msgstr "Trova account da seguire"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Trova utenti su Bluesky"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Trova gli utenti con lo strumento di ricerca sulla destra"
@@ -1834,10 +1873,10 @@ msgid "Flip vertically"
msgstr "Gira in verticale"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Segui"
@@ -1869,11 +1908,11 @@ msgstr ""
msgid "Follow selected accounts and continue to the next step"
msgstr "Segui gli account selezionati e vai al passaggio successivo"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Segui alcuni utenti per iniziare. Possiamo consigliarti più utenti in base a chi trovi interessante."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "Seguito da {0}"
@@ -1885,7 +1924,7 @@ msgstr "Utenti seguiti"
msgid "Followed users only"
msgstr "Solo utenti seguiti"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "ti segue"
@@ -1897,7 +1936,7 @@ msgstr "Followers"
#~ msgid "following"
#~ msgstr "following"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1908,15 +1947,15 @@ msgstr "Following"
msgid "Following {0}"
msgstr "Seguiti {0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr "Preferenze del Following feed"
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "Preferenze del Following Feed"
@@ -1924,7 +1963,7 @@ msgstr "Preferenze del Following Feed"
msgid "Follows you"
msgstr "Ti segue"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Ti Segue"
@@ -1970,7 +2009,7 @@ msgstr "Pubblica spesso contenuti indesiderati"
msgid "From @{sanitizedAuthor}"
msgstr "Di @{sanitizedAuthor}"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "Da <0/>"
@@ -1994,7 +2033,7 @@ msgstr "Evidenti violazioni della legge o dei termini di servizio"
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Torna indietro"
@@ -2004,15 +2043,15 @@ msgstr "Torna indietro"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Torna Indietro"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "Torna al passaggio precedente"
@@ -2024,7 +2063,7 @@ msgstr "Torna Home"
msgid "Go Home"
msgstr "Torna Home"
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "Vai a @{queryMaybeHandle}"
@@ -2050,16 +2089,16 @@ msgstr "Molestie, trolling o intolleranza"
msgid "Hashtag"
msgstr "Hashtag"
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr "Hashtag: #{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "Ci sono problemi?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Aiuto"
@@ -2088,17 +2127,17 @@ msgstr "Ecco la password dell'app."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Nascondi"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "Nascondi"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Nascondi il messaggio"
@@ -2107,11 +2146,11 @@ msgstr "Nascondi il messaggio"
msgid "Hide the content"
msgstr "Nascondere il contenuto"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "Vuoi nascondere questo post?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Nascondi elenco utenti"
@@ -2146,11 +2185,11 @@ msgstr "Stiamo riscontrando problemi nel trovare questi dati. Guarda PI[U giù p
msgid "Hmmmm, we couldn't load that moderation service."
msgstr "Non siamo riusciti a caricare il servizio di moderazione."
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Home"
@@ -2199,11 +2238,11 @@ msgstr "Se niente è selezionato, adatto a tutte le età."
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr "Se non sei ancora maggiorenne secondo le leggi del tuo Paese, il tuo genitore o tutore legale deve leggere i Termini a tuo nome."
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr "Se elimini questa lista, non potrai recuperarla."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr "Se rimuovi questo post, non potrai recuperarlo."
@@ -2283,7 +2322,7 @@ msgstr "Inserisci la tua password"
msgid "Input your preferred hosting provider"
msgstr "Inserisci il tuo provider di hosting preferito"
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Inserisci il tuo identificatore"
@@ -2325,8 +2364,7 @@ msgstr "Codici di invito: 1 disponibile"
msgid "It shows posts from the people you follow as they happen."
msgstr "Mostra i post delle persone che segui."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Lavori"
@@ -2355,11 +2393,11 @@ msgstr "Etichettato da {0}."
msgid "Labeled by the author."
msgstr "Etichettato dall'autore."
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr "Etichette"
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr "Le etichette sono annotazioni su utenti e contenuti. Possono essere utilizzate per nascondere, avvisare e classificare il network."
@@ -2379,7 +2417,7 @@ msgstr "Etichette sul tuo contenuto"
msgid "Language selection"
msgstr "Seleziona la lingua"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Impostazione delle lingue"
@@ -2388,7 +2426,7 @@ msgstr "Impostazione delle lingue"
msgid "Language Settings"
msgstr "Impostazione delle Lingue"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Lingue"
@@ -2396,6 +2434,10 @@ msgstr "Lingue"
#~ msgid "Last step!"
#~ msgstr "Ultimo passo!"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#~ msgid "Learn more"
#~ msgstr "Ulteriori informazioni"
@@ -2433,7 +2475,7 @@ msgstr "Stai lasciando Bluesky"
msgid "left to go."
msgstr "mancano."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "L'archivio legacy è stato cancellato, riattiva la app."
@@ -2449,16 +2491,16 @@ msgstr "Andiamo!"
#~ msgid "Library"
#~ msgstr "Biblioteca"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Chiaro"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "Mi piace"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Metti mi piace a questo feed"
@@ -2482,24 +2524,24 @@ msgstr "Piace a {0} {1}"
msgid "Liked by {count} {0}"
msgstr "È piaciuto a {count} {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "Piace a {likeCount} {0}"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "piace il tuo feed personalizzato"
#~ msgid "liked your custom feed{0}"
#~ msgstr "piace il feed personalizzato{0}"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "piace il tuo post"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Mi piace"
@@ -2515,7 +2557,7 @@ msgstr "Lista"
msgid "List Avatar"
msgstr "Lista avatar"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Lista bloccata"
@@ -2523,11 +2565,11 @@ msgstr "Lista bloccata"
msgid "List by {0}"
msgstr "Lista di {0}"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Lista cancellata"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Lista muta"
@@ -2535,20 +2577,20 @@ msgstr "Lista muta"
msgid "List Name"
msgstr "Nome della lista"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Lista sbloccata"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Lista non mutata"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Liste"
@@ -2559,10 +2601,10 @@ msgstr "Liste"
msgid "Load new notifications"
msgstr "Carica più notifiche"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Carica nuovi posts"
@@ -2615,7 +2657,7 @@ msgstr "Gestisci le parole mute e i tags"
#~ msgid "May only contain letters and numbers"
#~ msgstr "Può contenere solo lettere e numeri"
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Media"
@@ -2628,7 +2670,7 @@ msgid "Mentioned users"
msgstr "Utenti menzionati"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Menù"
@@ -2645,10 +2687,10 @@ msgstr "Account Ingannevole"
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Moderazione"
@@ -2661,13 +2703,13 @@ msgstr "Dettagli sulla moderazione"
msgid "Moderation list by {0}"
msgstr "Lista di moderazione di {0}"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "Lista di moderazione di <0/>"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Le tue liste di moderazione"
@@ -2688,7 +2730,7 @@ msgstr "Liste di moderazione"
msgid "Moderation Lists"
msgstr "Liste di Moderazione"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Impostazioni di moderazione"
@@ -2705,7 +2747,7 @@ msgstr "Strumenti di moderazione"
msgid "Moderator has chosen to set a general warning on the content."
msgstr "Il moderatore ha scelto di mettere un avviso generale sul contenuto."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr "Di più"
@@ -2713,7 +2755,7 @@ msgstr "Di più"
msgid "More feeds"
msgstr "Altri feed"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Altre opzioni"
@@ -2741,7 +2783,7 @@ msgstr "Silenzia {truncatedTag}"
msgid "Mute Account"
msgstr "Silenzia l'account"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Silenzia gli accounts"
@@ -2757,12 +2799,12 @@ msgstr "Silenzia solo i tags"
msgid "Mute in text & tags"
msgstr "Silenzia nel testo & tags"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Silenziare la lista"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "Vuoi silenziare queste liste?"
@@ -2777,13 +2819,13 @@ msgstr "Silenzia questa parola nel testo e nei tag del post"
msgid "Mute this word in tags only"
msgstr "Siilenzia questa parola solo nei tags"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Silenzia questa discussione"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "Silenzia parole & tags"
@@ -2796,11 +2838,11 @@ msgid "Muted accounts"
msgstr "Account silenziato"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Accounts Silenziati"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "I post degli account silenziati verranno rimossi dal tuo feed e dalle tue notifiche. Silenziare è completamente privato."
@@ -2812,7 +2854,7 @@ msgstr "Silenziato da \"{0}\""
msgid "Muted words & tags"
msgstr "Parole e tags silenziati"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Silenziare un account è privato. Gli account silenziati possono interagire con te, ma non vedrai i loro post né riceverai le loro notifiche."
@@ -2821,7 +2863,7 @@ msgstr "Silenziare un account è privato. Gli account silenziati possono interag
msgid "My Birthday"
msgstr "Il mio Compleanno"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "I miei Feeds"
@@ -2829,11 +2871,11 @@ msgstr "I miei Feeds"
msgid "My Profile"
msgstr "Il mio Profilo"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr "I miei feed salvati"
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "I miei Feeds Salvati"
@@ -2860,7 +2902,7 @@ msgid "Nature"
msgstr "Natura"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Vai alla schermata successiva"
@@ -2869,7 +2911,7 @@ msgstr "Vai alla schermata successiva"
msgid "Navigates to your profile"
msgstr "Vai al tuo profilo"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr "Hai bisogno di segnalare una violazione del copyright?"
@@ -2917,12 +2959,12 @@ msgctxt "action"
msgid "New post"
msgstr "Nuovo Post"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Nuovo post"
@@ -2949,12 +2991,12 @@ msgstr "Notizie"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -2978,8 +3020,8 @@ msgstr "Immagine seguente"
msgid "No"
msgstr "No"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Senza descrizione"
@@ -2991,7 +3033,7 @@ msgstr "Nessun pannello DNS"
msgid "No longer following {0}"
msgstr "Non segui più {0}"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -3008,13 +3050,13 @@ msgstr "Nessun risultato"
msgid "No results found"
msgstr "Non si è trovato nessun risultato"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "Nessun risultato trovato per \"{query}\""
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "Nessun risultato trovato per {query}"
@@ -3041,7 +3083,7 @@ msgid "Not Applicable."
msgstr "Non applicabile."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "Non trovato"
@@ -3051,8 +3093,8 @@ msgid "Not right now"
msgstr "Non adesso"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr "Nota sulla condivisione"
@@ -3060,13 +3102,13 @@ msgstr "Nota sulla condivisione"
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Nota: Bluesky è una rete aperta e pubblica. Questa impostazione limita solo la visibilità dei tuoi contenuti sull'app e sul sito Web di Bluesky e altre app potrebbero non rispettare questa impostazione. I tuoi contenuti potrebbero comunque essere mostrati agli utenti disconnessi da altre app e siti web."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Notifiche"
@@ -3082,7 +3124,7 @@ msgstr ""
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr "Nudità o pornografia non etichettata come tale"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -3099,7 +3141,7 @@ msgid "Oh no! Something went wrong."
msgstr "Oh no! Qualcosa è andato male."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr "OK"
@@ -3111,7 +3153,7 @@ msgstr "Va bene"
msgid "Oldest replies first"
msgstr "Mostrare prima le risposte più vecchie"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Reimpostazione dell'onboarding"
@@ -3123,7 +3165,7 @@ msgstr "A una o più immagini manca il testo alternativo."
msgid "Only {0} can reply."
msgstr "Solo {0} può rispondere."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -3133,7 +3175,7 @@ msgstr "Ops! Qualcosa è andato male!"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Ops!"
@@ -3146,11 +3188,11 @@ msgstr "Apri"
msgid "Open emoji picker"
msgstr "Apri il selettore emoji"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr "Apri il menu delle opzioni del feed"
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Apri i links con il navigatore della app"
@@ -3158,20 +3200,20 @@ msgstr "Apri i links con il navigatore della app"
msgid "Open muted words and tags settings"
msgstr "Apri le impostazioni delle parole e dei tag silenziati"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Apri la navigazione"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr "Apri il menu delle opzioni del post"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Apri la pagina della cronologia"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr "Apri il registro di sistema"
@@ -3183,7 +3225,7 @@ msgstr "Apre le {numItems} opzioni"
msgid "Opens additional details for a debug entry"
msgstr "Apre dettagli aggiuntivi per una debug entry"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "Apre un elenco ampliato di utenti in questa notifica"
@@ -3195,7 +3237,7 @@ msgstr "Apre la fotocamera sul dispositivo"
msgid "Opens composer"
msgstr "Apre il compositore"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Apre le impostazioni configurabili delle lingue"
@@ -3206,19 +3248,17 @@ msgstr "Apre la galleria fotografica del dispositivo"
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr "Apre l'editor per il nome configurato del profilo, l'avatar, l'immagine di sfondo e la descrizione"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Apre le impostazioni esterne per gli incorporamenti"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr "Apre il procedimento per creare un nuovo account Bluesky"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr "Apre il procedimento per accedere al tuo account esistente di Bluesky"
@@ -3235,26 +3275,26 @@ msgstr "Apre il procedimento per accedere al tuo account esistente di Bluesky"
msgid "Opens list of invite codes"
msgstr "Apre la lista dei codici di invito"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr "Apre la modale per la conferma dell'eliminazione dell'account. Richiede un codice e-mail"
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr "Apre il modal per la conferma dell'eliminazione dell'account. Richiede un codice email."
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr "Apre la modale per modificare il tuo password di Bluesky"
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr "Apre la modale per la scelta di un nuovo handle di Bluesky"
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr "Apre la modale per scaricare i dati del tuo account Bluesky (repository)"
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr "Apre la modale per la verifica dell'e-mail"
@@ -3262,7 +3302,7 @@ msgstr "Apre la modale per la verifica dell'e-mail"
msgid "Opens modal for using custom domain"
msgstr "Apre il modal per l'utilizzo del dominio personalizzato"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Apre le impostazioni di moderazione"
@@ -3270,23 +3310,23 @@ msgstr "Apre le impostazioni di moderazione"
msgid "Opens password reset form"
msgstr "Apre il modulo di reimpostazione della password"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Apre la schermata per modificare i feed salvati"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Apre la schermata con tutti i feed salvati"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr "Apre le impostazioni della password dell'app"
#~ msgid "Opens the app password settings page"
#~ msgstr "Apre la pagina delle impostazioni della password dell'app"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr "Apre le preferenze del feed Following"
@@ -3297,16 +3337,16 @@ msgstr "Apre le preferenze del feed Following"
msgid "Opens the linked website"
msgstr "Apre il sito Web collegato"
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Apri la pagina della cronologia"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Apre la pagina del registro di sistema"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Apre le preferenze dei threads"
@@ -3314,7 +3354,7 @@ msgstr "Apre le preferenze dei threads"
msgid "Option {0} of {numItems}"
msgstr "Opzione {0} di {numItems}"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr "Facoltativamente, fornisci ulteriori informazioni di seguito:"
@@ -3347,7 +3387,7 @@ msgid "Page Not Found"
msgstr "Pagina non trovata"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3365,6 +3405,11 @@ msgstr "Password aggiornata"
msgid "Password updated!"
msgstr "Password aggiornata!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "Persone seguite da @{0}"
@@ -3392,16 +3437,16 @@ msgstr "Animali di compagnia"
msgid "Pictures meant for adults."
msgstr "Immagini per adulti."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "Fissa su Home"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr "Fissa su Home"
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Feeds Fissi"
@@ -3517,7 +3562,7 @@ msgstr "Pubblicato da {0}"
msgid "Post by @{0}"
msgstr "Pubblicato da @{0}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Post eliminato"
@@ -3552,7 +3597,8 @@ msgstr "Post non trovato"
msgid "posts"
msgstr "post"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Post"
@@ -3568,13 +3614,13 @@ msgstr "Post nascosto"
msgid "Potentially Misleading Link"
msgstr "Link potenzialmente fuorviante"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr "Premere per riprovare"
@@ -3590,7 +3636,7 @@ msgstr "Lingua principale"
msgid "Prioritize Your Follows"
msgstr "Dai priorità a quelli che segui"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Privacy"
@@ -3598,8 +3644,8 @@ msgstr "Privacy"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Informativa sulla privacy"
@@ -3608,15 +3654,15 @@ msgid "Processing..."
msgstr "Elaborazione in corso…"
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr "profilo"
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Profilo"
@@ -3624,7 +3670,7 @@ msgstr "Profilo"
msgid "Profile updated"
msgstr "Profilo aggiornato"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Proteggi il tuo account verificando la tua email."
@@ -3673,15 +3719,15 @@ msgstr "Selezione a caso (nota anche come \"Poster's Roulette\")"
msgid "Ratios"
msgstr "Rapporti"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr "Ricerche recenti"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Feeds consigliati"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Utenti consigliati"
@@ -3701,7 +3747,7 @@ msgstr "Rimuovi"
msgid "Remove account"
msgstr "Rimuovi l'account"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr "Rimuovere Avatar"
@@ -3719,8 +3765,8 @@ msgstr "Rimuovere il feed?"
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Rimuovi dai miei feed"
@@ -3763,7 +3809,7 @@ msgstr "Elimina dalla lista"
msgid "Removed from my feeds"
msgstr "Rimuovere dai miei feeds"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr "Rimosso dai tuoi feed"
@@ -3771,7 +3817,7 @@ msgstr "Rimosso dai tuoi feed"
msgid "Removes default thumbnail from {0}"
msgstr "Elimina la miniatura predefinita da {0}"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Risposte"
@@ -3788,8 +3834,8 @@ msgstr "Risposta"
msgid "Reply Filters"
msgstr "Filtri di risposta"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "In risposta a <0/>"
@@ -3806,17 +3852,17 @@ msgstr "Segnala l'account"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Segnala il feed"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Segnala la lista"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Segnala il post"
@@ -3864,7 +3910,7 @@ msgstr "Ripubblicare o citare il post"
msgid "Reposted By"
msgstr "Repost di"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "Repost di {0}"
@@ -3872,10 +3918,14 @@ msgstr "Repost di {0}"
#~ msgstr "Repost di {0})"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "Repost di <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "Repost di <0/>"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "reposted il tuo post"
@@ -3896,7 +3946,7 @@ msgstr "Richiedi un cambio"
msgid "Request Code"
msgstr "Richiedi il codice"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Richiedi il testo alternativo prima di pubblicare"
@@ -3915,8 +3965,8 @@ msgstr "Reimposta il Codice"
#~ msgid "Reset onboarding"
#~ msgstr "Reimposta l'incorporazione"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Reimposta lo stato dell' incorporazione"
@@ -3927,16 +3977,16 @@ msgstr "Reimposta la password"
#~ msgid "Reset preferences"
#~ msgstr "Reimposta le preferenze"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Reimposta lo stato delle preferenze"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Reimposta lo stato dell'incorporazione"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Reimposta lo stato delle preferenze"
@@ -3955,7 +4005,7 @@ msgstr "Ritenta l'ultima azione che ha generato un errore"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
@@ -3965,7 +4015,7 @@ msgstr "Riprova"
#~ msgstr "Riprova."
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Ritorna alla pagina precedente"
@@ -4014,12 +4064,12 @@ msgstr "Salva la modifica del tuo identificatore"
msgid "Save image crop"
msgstr "Salva il ritaglio dell'immagine"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr "Salva nei miei feed"
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Canali salvati"
@@ -4027,7 +4077,7 @@ msgstr "Canali salvati"
msgid "Saved to your camera roll."
msgstr "Salvato nel rullino fotografico."
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr "Salvato nei tuoi feed"
@@ -4047,28 +4097,28 @@ msgstr "Salva le impostazioni di ritaglio dell'immagine"
msgid "Science"
msgstr "Scienza"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Scorri verso l'alto"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Cerca"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "Cerca \"{query}\""
@@ -4107,13 +4157,18 @@ msgstr "Vedi <0>{displayTag}0> posts"
msgid "See <0>{displayTag}0> posts by this user"
msgstr "Vedi <0>{displayTag}0> posts di questo utente"
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Consulta questa guida"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Scopri cosa c'è dopo"
+#~ msgid "See what's next"
+#~ msgstr "Scopri cosa c'è dopo"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4151,7 +4206,7 @@ msgstr "Seleziona l'opzione {i} di {numItems}"
msgid "Select some accounts below to follow"
msgstr "Seleziona alcuni account da seguire qui giù"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr "Seleziona il/i servizio/i di moderazione per fare la segnalazione"
@@ -4178,7 +4233,7 @@ msgstr "Seleziona le lingue che desideri includere nei feed a cui sei iscritto.
msgid "Select your app language for the default text to display in the app."
msgstr "Seleziona la lingua dell'app per il testo predefinito da visualizzare nell'app."
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4218,13 +4273,13 @@ msgstr "Invia email"
#~ msgid "Send Email"
#~ msgstr "Envia Email"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Invia feedback"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr "Invia la segnalazione"
@@ -4308,23 +4363,23 @@ msgstr "Configura il tuo account"
msgid "Sets Bluesky username"
msgstr "Imposta il tuo nome utente di Bluesky"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr "Imposta il tema colore su scuro"
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr "Imposta il tema colore su chiaro"
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr "Imposta il tema colore basato impostazioni di sistema"
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr "Imposta il tema scuro sul tema scuro"
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr "Imposta il tema scuro sul tema semi fosco"
@@ -4354,10 +4409,10 @@ msgstr "Imposta l'amplio sulle proporzioni dell'immagine"
#~ msgstr "Imposta il server per il client Bluesky"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Impostazioni"
@@ -4376,21 +4431,21 @@ msgstr "Condividi"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Condividi"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr "Condividi comunque"
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Condividi il feed"
@@ -4407,7 +4462,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Mostra"
@@ -4437,9 +4492,9 @@ msgstr "Mostra badge e filtra dai feed"
msgid "Show follows similar to {0}"
msgstr "Mostra follows simile a {0}"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Mostra di più"
@@ -4496,7 +4551,7 @@ msgstr "Mostra i re-repost in Seguiti"
msgid "Show the content"
msgstr "Mostra il contenuto"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Mostra utenti"
@@ -4515,24 +4570,24 @@ msgstr "Mostra avviso e filtra dai feed"
msgid "Shows posts from {0} in your feed"
msgstr "Mostra i post di {0} nel tuo feed"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Accedi"
@@ -4550,28 +4605,36 @@ msgstr "Accedi come... {0}"
msgid "Sign in as..."
msgstr "Accedi come..."
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "Accedere a"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Disconnetta"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Iscrizione"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Iscriviti o accedi per partecipare alla conversazione"
@@ -4580,7 +4643,7 @@ msgstr "Iscriviti o accedi per partecipare alla conversazione"
msgid "Sign-in Required"
msgstr "È richiesta l'autenticazione"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Registrato/a come"
@@ -4614,14 +4677,14 @@ msgstr "Sviluppo Software"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr "Qualcosa è andato male, prova di nuovo."
#~ msgid "Something went wrong. Check your email and try again."
#~ msgstr "Qualcosa è andato storto. Controlla la tua email e riprova."
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "Scusa! La tua sessione è scaduta. Per favore accedi di nuovo."
@@ -4656,11 +4719,11 @@ msgstr "Quadrato"
#~ msgid "Staging"
#~ msgstr "Allestimento"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Pagina di stato"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4668,12 +4731,12 @@ msgstr ""
#~ msgid "Step {0} of {numSteps}"
#~ msgstr "Passo {0} di {numSteps}"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "Spazio di archiviazione eliminato. Riavvia l'app."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Cronologia"
@@ -4682,15 +4745,15 @@ msgstr "Cronologia"
msgid "Submit"
msgstr "Invia"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Iscriviti"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr "Iscriviti a @{0} per utilizzare queste etichette:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr "Iscriviti a Labeler"
@@ -4699,15 +4762,15 @@ msgstr "Iscriviti a Labeler"
msgid "Subscribe to the {0} feed"
msgstr "Iscriviti a {0} feed"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr "Iscriviti a questo labeler"
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Iscriviti alla lista"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Followers suggeriti"
@@ -4733,19 +4796,19 @@ msgstr "Supporto"
msgid "Switch Account"
msgstr "Cambia account"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "Cambia a {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Cambia l'account dal quale hai effettuato l'accesso"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "Sistema"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Registro di sistema"
@@ -4775,9 +4838,9 @@ msgstr "Termini"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Termini di servizio"
@@ -4795,7 +4858,7 @@ msgstr "testo"
msgid "Text input field"
msgstr "Campo di testo"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr "Grazie. La tua segnalazione è stata inviata."
@@ -4803,11 +4866,11 @@ msgstr "Grazie. La tua segnalazione è stata inviata."
msgid "That contains the following:"
msgstr "Che contiene il seguente:"
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "Questo handle è già stato preso."
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "L'account sarà in grado di interagire con te dopo lo sblocco."
@@ -4860,8 +4923,8 @@ msgstr "I Termini di Servizio sono stati spostati a"
msgid "There are many feeds to try:"
msgstr "Ci sono molti feed da provare:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Si è verificato un problema nel contattare il server, controlla la tua connessione Internet e riprova."
@@ -4869,15 +4932,15 @@ msgstr "Si è verificato un problema nel contattare il server, controlla la tua
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Si è verificato un problema durante la rimozione di questo feed. Per favore controlla la tua connessione Internet e prova di nuovo."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Si è verificato un problema durante la rimozione di questo feed. Per favore controlla la tua connessione Internet e prova di nuovo."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "Si è verificato un problema durante il contatto con il server"
@@ -4900,12 +4963,12 @@ msgstr "Si è verificato un problema nel recupero dei post. Tocca qui per riprov
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Si è verificato un problema durante il recupero dell'elenco. Tocca qui per riprovare."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Si è verificato un problema durante il recupero delle tue liste. Tocca qui per riprovare."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr "Si è verificato un problema durante l'invio della segnalazione. Per favore controlla la tua connessione Internet."
@@ -4931,10 +4994,10 @@ msgstr "Si è verificato un problema durante il recupero delle password dell'app
msgid "There was an issue! {0}"
msgstr "Si è verificato un problema! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Si è verificato un problema. Per favore controlla la tua connessione Internet e prova di nuovo."
@@ -5000,9 +5063,9 @@ msgstr "Questa funzionalità è in versione beta. Puoi leggere ulteriori informa
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Questo canale al momento sta ricevendo molte visite ed è temporaneamente non disponibile. Riprova più tardi."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Questo feed è vuoto!"
@@ -5025,7 +5088,7 @@ msgstr "Questo è importante nel caso in cui avessi bisogno di modificare la tua
msgid "This label was applied by {0}."
msgstr "Questa etichetta è stata applicata da {0}."
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr "Questo etichettatore non ha dichiarato quali etichette pubblica e potrebbe non essere attivo."
@@ -5033,7 +5096,7 @@ msgstr "Questo etichettatore non ha dichiarato quali etichette pubblica e potreb
msgid "This link is taking you to the following website:"
msgstr "Questo link ti porta al seguente sito web:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "La lista è vuota!"
@@ -5049,12 +5112,12 @@ msgstr "Questo nome è già in uso"
msgid "This post has been deleted."
msgstr "Questo post è stato cancellato."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr "Questo post è visibile solo agli utenti registrati. Non sarà visibile alle persone che non hanno effettuato l'accesso."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr "Questo post verrà nascosto dai feed."
@@ -5115,12 +5178,12 @@ msgstr "Questo eliminerà {0} dalle parole disattivate. Puoi sempre aggiungerla
#~ msgid "This will hide this post from your feeds."
#~ msgstr "Questo nasconderà il post dai tuoi feeds."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr "Preferenze delle discussioni"
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Preferenze delle Discussioni"
@@ -5148,14 +5211,18 @@ msgstr "Attiva/disattiva il menu a discesa"
msgid "Toggle to enable or disable adult content"
msgstr "Seleziona per abilitare o disabilitare i contenuti per adulti"
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Trasformazioni"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Tradurre"
@@ -5171,11 +5238,11 @@ msgstr "Riprova"
msgid "Type:"
msgstr "Tipo:"
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Sblocca la lista"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Riattiva questa lista"
@@ -5183,15 +5250,15 @@ msgstr "Riattiva questa lista"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "Impossibile contattare il servizio. Per favore controlla la tua connessione Internet."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Sblocca"
@@ -5205,7 +5272,7 @@ msgstr "Sblocca"
msgid "Unblock Account"
msgstr "Sblocca Account"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr "Sblocca Account?"
@@ -5218,7 +5285,7 @@ msgid "Undo repost"
msgstr "Annulla la ripubblicazione"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr "Smetti di seguire"
@@ -5240,16 +5307,16 @@ msgstr "Smetti di seguire questo account"
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "Sfortunatamente, non soddisfi i requisiti per creare un account."
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "Togli Mi piace"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr "Togli il like a questo feed"
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Riattiva"
@@ -5266,32 +5333,32 @@ msgstr "Riattiva questo account"
msgid "Unmute all {displayTag} posts"
msgstr "Riattiva tutti i post di {displayTag}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Riattiva questa discussione"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Stacca dal profilo"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr "Stacca dalla Home"
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Stacca la lista di moderazione"
#~ msgid "Unsave"
#~ msgstr "Rimuovi"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr "Annulla l'iscrizione"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr "Annulla l'iscrizione a questo/a labeler"
@@ -5318,20 +5385,20 @@ msgstr "In aggiornamento..."
msgid "Upload a text file to:"
msgstr "Carica una file di testo a:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr "Carica dalla fotocamera"
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr "Carica dai Files"
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5408,13 +5475,13 @@ msgstr "Questo utente ti blocca"
msgid "User list by {0}"
msgstr "Lista di {0}"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "Lista di<0/>"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "La tua lista"
@@ -5434,7 +5501,9 @@ msgstr "Liste publiche"
msgid "Username or email address"
msgstr "Nome utente o indirizzo Email"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Utenti"
@@ -5461,15 +5530,15 @@ msgstr "Valore:"
msgid "Verify {0}"
msgstr "Verifica {0}"
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "Verifica Email"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Verifica la mia email"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Verifica la Mia Email"
@@ -5482,7 +5551,7 @@ msgstr "Verifica la nuova email"
msgid "Verify Your Email"
msgstr "Verifica la tua email"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5498,11 +5567,11 @@ msgstr "Vedi l'avatar di {0}"
msgid "View debug entry"
msgstr "Vedi le informazioni del debug"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr "Vedere dettagli"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr "Visualizza i dettagli per segnalare una violazione del copyright"
@@ -5514,6 +5583,8 @@ msgstr "Vedi la discussione completa"
msgid "View information about these labels"
msgstr "Visualizza le informazioni su queste etichette"
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Vedi il profilo"
@@ -5526,7 +5597,7 @@ msgstr "Vedi l'avatar"
msgid "View the labeling service provided by @{0}"
msgstr "Visualizza il servizio di etichettatura fornito da @{0}"
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr "Visualizza gli utenti a cui piace questo feed"
@@ -5601,11 +5672,11 @@ msgstr "Ti faremo sapere quando il tuo account sarà pronto."
msgid "We'll use this to help customize your experience."
msgstr "Lo useremo per personalizzare la tua esperienza."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Siamo felici che tu ti unisca a noi!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Siamo spiacenti, ma non siamo riusciti a risolvere questa lista. Se il problema persiste, contatta il creatore della lista, @{handleOrDid}."
@@ -5613,7 +5684,7 @@ msgstr "Siamo spiacenti, ma non siamo riusciti a risolvere questa lista. Se il p
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "Siamo spiacenti, ma al momento non siamo riusciti a caricare le parole silenziate. Per favore riprova si nuovo."
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Siamo spiacenti, ma non è stato possibile completare la ricerca. Riprova tra qualche minuto."
@@ -5622,7 +5693,7 @@ msgstr "Siamo spiacenti, ma non è stato possibile completare la ricerca. Riprov
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Ci dispiace! Non riusciamo a trovare la pagina che stavi cercando."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr "Ci dispiace! Puoi abbonarti solo a dieci etichettatori e hai raggiunto il limite di dieci."
@@ -5640,8 +5711,8 @@ msgstr "Quali sono i tuoi interessi?"
#~ msgid "What's next?"
#~ msgstr "Qual è il prossimo?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "Come va?"
@@ -5742,15 +5813,15 @@ msgstr "Non hai follower."
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "Non hai ancora alcun codice di invito! Te ne invieremo alcuni quando utilizzerai Bluesky per un po' più a lungo."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "Non hai fissato nessun feed."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "Non hai salvato nessun feed!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "Non hai salvato nessun feed."
@@ -5791,16 +5862,16 @@ msgstr "Hai silenziato questo utente"
#~ msgid "You have muted this user."
#~ msgstr "Hai disattivato questo utente."
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "Non hai feeds."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "Non hai liste."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr "Non hai ancora bloccato nessun account. Per bloccare un account, vai sul profilo e seleziona \"Blocca account\" dal menu dell'account."
@@ -5811,7 +5882,7 @@ msgstr "Non hai ancora bloccato nessun account. Per bloccare un account, vai sul
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Non hai ancora creato alcuna password per l'app. Puoi crearne uno premendo il pulsante qui sotto."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr "Non hai ancora silenziato nessun account. Per silenziare un account, vai al suo profilo e seleziona \"Silenzia account\" dal menu dell' account."
@@ -5837,15 +5908,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "Devi avere almeno 18 anni per abilitare i contenuti per adulti"
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr "È necessario selezionare almeno un'etichettatore per un report"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Non riceverai più notifiche per questo filo di discussione"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Adesso riceverai le notifiche per questa discussione"
@@ -5876,7 +5947,7 @@ msgstr "Hai scelto di nascondere una parola o un tag in questo post."
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Hai raggiunto la fine del tuo feed! Trova altri account da seguire."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Il tuo account"
@@ -5888,7 +5959,7 @@ msgstr "Il tuo account è stato eliminato"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "L'archivio del tuo account, che contiene tutti i record di dati pubblici, può essere scaricato come file \"CAR\". Questo file non include elementi multimediali incorporati, come immagini o dati privati, che devono essere recuperati separatamente."
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "La tua data di nascita"
@@ -5921,7 +5992,7 @@ msgstr "La tua email non è stata ancora verificata. Ti consigliamo di fare ques
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Il tuo feed seguente è vuoto! Segui più utenti per vedere cosa sta succedendo."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Il tuo nome di utente completo sarà"
@@ -5953,7 +6024,7 @@ msgstr "Il tuo post è stato pubblicato"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "I tuoi post, i tuoi Mi piace e i tuoi blocchi sono pubblici. I conti silenziati sono privati."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Il tuo profilo"
@@ -5961,6 +6032,6 @@ msgstr "Il tuo profilo"
msgid "Your reply has been published"
msgstr "La tua risposta è stata pubblicata"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Il tuo handle utente"
diff --git a/src/locale/locales/ja/messages.po b/src/locale/locales/ja/messages.po
index 3bb8437bba..48533e4c0e 100644
--- a/src/locale/locales/ja/messages.po
+++ b/src/locale/locales/ja/messages.po
@@ -1,6 +1,6 @@
msgid ""
msgstr ""
-"POT-Creation-Date: 2023-11-22 17:10-0800\n"
+"POT-Creation-Date: 2024-03-19 20:30-0700\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
@@ -8,8 +8,8 @@ msgstr ""
"Language: ja\n"
"Project-Id-Version: \n"
"Report-Msgid-Bugs-To: \n"
-"PO-Revision-Date: 2024-03-24 09:30+0900\n"
-"Last-Translator: Hima-Zinn\n"
+"PO-Revision-Date: 2024-04-05 22:07+0900\n"
+"Last-Translator: tkusano\n"
"Language-Team: Hima-Zinn, tkusano, dolciss, oboenikui, noritada, middlingphys, hibiki, reindex-ot, haoyayoi, vyv03354\n"
"Plural-Forms: \n"
@@ -30,6 +30,7 @@ msgstr "メールがありません"
#~ msgid "{0} {purposeLabel} List"
#~ msgstr "{0} {purposeLabel} リスト"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} フォロー"
@@ -52,7 +53,7 @@ msgstr "{following} フォロー"
#~ msgid "{message}"
#~ msgstr "{message}"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications}件の未読"
@@ -68,15 +69,20 @@ msgstr "<0/>のメンバー"
msgid "<0>{0}0> following"
msgstr "<0>{0}0> フォロー"
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>フォロー1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<1>おすすめの1><2>フィード2><0>を選択0>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<1>おすすめの1><2>ユーザー2><0>をフォロー0>"
@@ -84,7 +90,7 @@ msgstr "<1>おすすめの1><2>ユーザー2><0>をフォロー0>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<1>Bluesky1><0>へようこそ0>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠無効なハンドル"
@@ -97,16 +103,16 @@ msgstr "⚠無効なハンドル"
#~ msgstr "新しいバージョンのアプリが利用可能です。継続して使用するためにはアップデートしてください。"
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "ナビゲーションリンクと設定にアクセス"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "プロフィールと他のナビゲーションリンクにアクセス"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "アクセシビリティ"
@@ -115,8 +121,8 @@ msgid "account"
msgstr "アカウント"
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "アカウント"
@@ -166,7 +172,7 @@ msgstr "アカウントのミュートを解除しました"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "追加"
@@ -174,13 +180,13 @@ msgstr "追加"
msgid "Add a content warning"
msgstr "コンテンツの警告を追加"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "リストにユーザーを追加"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "アカウントを追加"
@@ -270,11 +276,11 @@ msgid "Adult content is disabled."
msgstr "成人向けコンテンツは無効になっています。"
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "高度な設定"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "保存したすべてのフィードを1箇所にまとめます。"
@@ -311,6 +317,8 @@ msgstr "以前のメールアドレス{0}にメールが送信されました。
msgid "An issue not included in these options"
msgstr "ほかの選択肢にはあてはまらない問題"
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -318,7 +326,7 @@ msgstr "ほかの選択肢にはあてはまらない問題"
msgid "An issue occurred, please try again."
msgstr "問題が発生しました。もう一度お試しください。"
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "および"
@@ -347,7 +355,7 @@ msgstr "アプリパスワードの名前には、英数字、スペース、ハ
msgid "App Password names must be at least 4 characters long."
msgstr "アプリパスワードの名前は長さが4文字以上である必要があります。"
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "アプリパスワードの設定"
@@ -357,7 +365,7 @@ msgstr "アプリパスワードの設定"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "アプリパスワード"
@@ -395,7 +403,7 @@ msgstr "異議申し立てを提出しました。"
#~ msgid "Appeal this decision."
#~ msgstr "この判断に異議を申し立てる"
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "背景"
@@ -431,9 +439,9 @@ msgstr "アート"
msgid "Artistic or non-erotic nudity."
msgstr "芸術的または性的ではないヌード。"
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
-msgstr ""
+msgstr "少なくとも3文字"
#: src/components/moderation/LabelsOnMeDialog.tsx:246
#: src/components/moderation/LabelsOnMeDialog.tsx:247
@@ -446,7 +454,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "戻る"
@@ -460,19 +468,19 @@ msgstr "戻る"
msgid "Based on your interest in {interestsText}"
msgstr "{interestsText}への興味に基づいたおすすめ"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "基本"
#: src/components/dialogs/BirthDateSettings.tsx:107
msgid "Birthday"
-msgstr "誕生日"
+msgstr "生年月日"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
-msgstr "誕生日:"
+msgstr "生年月日:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr "ブロック"
@@ -486,16 +494,16 @@ msgstr "アカウントをブロック"
msgid "Block Account?"
msgstr "アカウントをブロックしますか?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "アカウントをブロック"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "リストをブロック"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "これらのアカウントをブロックしますか?"
@@ -504,7 +512,7 @@ msgstr "これらのアカウントをブロックしますか?"
#~ msgstr "このリストをブロック"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "ブロックされています"
@@ -513,7 +521,7 @@ msgid "Blocked accounts"
msgstr "ブロック中のアカウント"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "ブロック中のアカウント"
@@ -521,7 +529,7 @@ msgstr "ブロック中のアカウント"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "ブロック中のアカウントは、あなたのスレッドでの返信、あなたへのメンション、その他の方法であなたとやり取りすることはできません。"
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "ブロック中のアカウントは、あなたのスレッドでの返信、あなたへのメンション、その他の方法であなたとやり取りすることはできません。あなたは相手のコンテンツを見ることができず、相手はあなたのコンテンツを見ることができなくなります。"
@@ -529,11 +537,11 @@ msgstr "ブロック中のアカウントは、あなたのスレッドでの返
msgid "Blocked post."
msgstr "投稿をブロックしました。"
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr "ブロックしてもこのラベラーがあなたのアカウントにラベルを貼ることができます。"
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "ブロックしたことは公開されます。ブロック中のアカウントは、あなたのスレッドでの返信、あなたへのメンション、その他の方法であなたとやり取りすることはできません。"
@@ -541,12 +549,10 @@ msgstr "ブロックしたことは公開されます。ブロック中のアカ
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr "ブロックしてもこのラベラーがあなたのアカウントにラベルを貼ることができますが、このアカウントがあなたのスレッドに返信したり、やりとりをしたりといったことはできなくなります。"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "ブログ"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -599,8 +605,7 @@ msgstr "書籍"
#~ msgid "Build version {0} {1}"
#~ msgstr "ビルドバージョン {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "ビジネス"
@@ -662,7 +667,7 @@ msgstr "英数字、スペース、ハイフン、アンダースコアのみが
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "キャンセル"
@@ -716,17 +721,17 @@ msgstr "リンク先のウェブサイトを開くことをキャンセル"
msgid "Change"
msgstr "変更"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "変更"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "ハンドルを変更"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "ハンドルを変更"
@@ -734,12 +739,12 @@ msgstr "ハンドルを変更"
msgid "Change my email"
msgstr "メールアドレスを変更"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "パスワードを変更"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "パスワードを変更"
@@ -760,11 +765,11 @@ msgstr "メールアドレスを変更"
msgid "Check my status"
msgstr "ステータスを確認"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "おすすめのフィードを確認してください。「+」をタップするとピン留めしたフィードのリストに追加されます。"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "おすすめのユーザーを確認してください。フォローすることであなたに合ったユーザーが見つかるかもしれません。"
@@ -801,36 +806,36 @@ msgstr "カスタムフィードを使用してあなたの体験を強化する
msgid "Choose your main feeds"
msgstr "メインのフィードを選択"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "パスワードを入力"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "レガシーストレージデータをすべてクリア"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "すべてのレガシーストレージデータをクリア(このあと再起動します)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "すべてのストレージデータをクリア"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "すべてのストレージデータをクリア(このあと再起動します)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "検索クエリをクリア"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr "すべてのレガシーストレージデータをクリア"
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr "すべてのストレージデータをクリア"
@@ -842,7 +847,7 @@ msgstr "こちらをクリック"
msgid "Click here to open tag menu for {tag}"
msgstr "{tag}のタグメニューをクリックして表示"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "#{tag}のタグメニューをクリックして表示"
@@ -876,7 +881,7 @@ msgstr "画像を閉じる"
msgid "Close image viewer"
msgstr "画像ビューアを閉じる"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "ナビゲーションフッターを閉じる"
@@ -885,7 +890,7 @@ msgstr "ナビゲーションフッターを閉じる"
msgid "Close this dialog"
msgstr "このダイアログを閉じる"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "下部のナビゲーションバーを閉じる"
@@ -901,7 +906,7 @@ msgstr "投稿の編集画面を閉じて下書きを削除する"
msgid "Closes viewer for header image"
msgstr "ヘッダー画像のビューワーを閉じる"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "指定した通知のユーザーリストを折りたたむ"
@@ -922,7 +927,7 @@ msgstr "コミュニティーガイドライン"
msgid "Complete onboarding and start using your account"
msgstr "初期設定を完了してアカウントを使い始める"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "テストをクリアしてください"
@@ -940,7 +945,7 @@ msgstr "このカテゴリのコンテンツフィルタリングを設定:{0}
#: src/components/moderation/LabelPreference.tsx:81
msgid "Configure content filtering setting for category: {name}"
-msgstr ""
+msgstr "このカテゴリのコンテンツフィルタリングを設定:{name}"
#: src/components/moderation/LabelPreference.tsx:244
msgid "Configured in <0>moderation settings0>."
@@ -1002,7 +1007,7 @@ msgstr "確認コード"
msgid "Connecting..."
msgstr "接続中..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "サポートに連絡"
@@ -1056,21 +1061,21 @@ msgstr "コンテキストメニューの背景をクリックし、メニュー
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "続行"
#: src/components/AccountList.tsx:108
msgid "Continue as {0} (currently signed in)"
-msgstr ""
+msgstr "{0}として続行 (現在サインイン中)"
#: src/screens/Onboarding/StepFollowingFeed.tsx:151
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "次のステップへ進む"
@@ -1091,17 +1096,21 @@ msgstr "料理"
msgid "Copied"
msgstr "コピーしました"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "ビルドバージョンをクリップボードにコピーしました"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "クリップボードにコピーしました"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "アプリパスワードをコピーします"
@@ -1114,12 +1123,17 @@ msgstr "コピー"
msgid "Copy {0}"
msgstr "{0}をコピー"
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "リストへのリンクをコピー"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "投稿へのリンクをコピー"
@@ -1127,8 +1141,8 @@ msgstr "投稿へのリンクをコピー"
#~ msgid "Copy link to profile"
#~ msgstr "プロフィールへのリンクをコピー"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "投稿のテキストをコピー"
@@ -1141,7 +1155,7 @@ msgstr "著作権ポリシー"
msgid "Could not load feed"
msgstr "フィードの読み込みに失敗しました"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "リストの読み込みに失敗しました"
@@ -1149,31 +1163,34 @@ msgstr "リストの読み込みに失敗しました"
#~ msgid "Country"
#~ msgstr "国"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "新しいアカウントを作成"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "新しいBlueskyアカウントを作成"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "アカウントを作成"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "アプリパスワードを作成"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "新しいアカウントを作成"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr "{0}の報告を作成"
@@ -1207,7 +1224,7 @@ msgid "Custom domain"
msgstr "カスタムドメイン"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "コミュニティーによって作成されたカスタムフィードは、あなたに新しい体験をもたらし、あなたが好きなコンテンツを見つけるのに役立ちます。"
@@ -1219,8 +1236,8 @@ msgstr "外部サイトのメディアをカスタマイズします。"
#~ msgid "Danger Zone"
#~ msgstr "危険地帯"
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "ダーク"
@@ -1228,19 +1245,19 @@ msgstr "ダーク"
msgid "Dark mode"
msgstr "ダークモード"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "ダークテーマ"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
-msgstr ""
+msgstr "生年月日"
#: src/Navigation.tsx:204
#~ msgid "Debug"
#~ msgstr "デバッグ"
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr "モデレーションをデバッグ"
@@ -1248,13 +1265,13 @@ msgstr "モデレーションをデバッグ"
msgid "Debug panel"
msgstr "デバッグパネル"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr "削除"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "アカウントを削除"
@@ -1270,7 +1287,7 @@ msgstr "アプリパスワードを削除"
msgid "Delete app password?"
msgstr "アプリパスワードを削除しますか?"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "リストを削除"
@@ -1282,24 +1299,24 @@ msgstr "マイアカウントを削除"
#~ msgid "Delete my account…"
#~ msgstr "マイアカウントを削除…"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "マイアカウントを削除…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "投稿を削除"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr "このリストを削除しますか?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "この投稿を削除しますか?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "削除されています"
@@ -1326,10 +1343,18 @@ msgstr "説明"
msgid "Did you want to say anything?"
msgstr "なにか言いたいことはあった?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "グレー"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1363,7 +1388,7 @@ msgstr "新しいカスタムフィードを見つける"
#~ msgid "Discover new feeds"
#~ msgstr "新しいフィードを探す"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "新しいフィードを探す"
@@ -1383,9 +1408,9 @@ msgstr "DNSパネルがある場合"
msgid "Does not include nudity."
msgstr "ヌードは含まれません。"
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
-msgstr ""
+msgstr "ハイフンで始まったり終ったりしない"
#: src/view/com/modals/ChangeHandle.tsx:481
msgid "Domain Value"
@@ -1417,7 +1442,7 @@ msgstr "ドメインを確認しました!"
msgid "Done"
msgstr "完了"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1500,7 +1525,7 @@ msgctxt "action"
msgid "Edit"
msgstr "編集"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr "アバターを編集"
@@ -1510,7 +1535,7 @@ msgstr "アバターを編集"
msgid "Edit image"
msgstr "画像を編集"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "リストの詳細を編集"
@@ -1519,8 +1544,8 @@ msgid "Edit Moderation List"
msgstr "モデレーションリストを編集"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "マイフィードを編集"
@@ -1528,18 +1553,18 @@ msgstr "マイフィードを編集"
msgid "Edit my profile"
msgstr "マイプロフィールを編集"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "プロフィールを編集"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "プロフィールを編集"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "保存されたフィードを編集"
@@ -1581,10 +1606,24 @@ msgstr "メールアドレスは更新されました"
msgid "Email verified"
msgstr "メールアドレスは認証されました"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "メールアドレス:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "{0}のみ有効にする"
@@ -1605,7 +1644,7 @@ msgstr "フィードで成人向けコンテンツを有効にする"
#: src/components/dialogs/EmbedConsent.tsx:82
#: src/components/dialogs/EmbedConsent.tsx:89
msgid "Enable external media"
-msgstr ""
+msgstr "外部メディアを有効にする"
#: src/view/com/modals/EmbedConsent.tsx:97
#~ msgid "Enable External Media"
@@ -1621,13 +1660,13 @@ msgstr "この設定を有効にすると、自分がフォローしているユ
#: src/components/dialogs/EmbedConsent.tsx:94
msgid "Enable this source only"
-msgstr ""
+msgstr "このソースのみ有効にする"
#: src/screens/Moderation/index.tsx:339
msgid "Enabled"
msgstr "有効"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "フィードの終わり"
@@ -1637,7 +1676,7 @@ msgstr "このアプリパスワードの名前を入力"
#: src/screens/Login/SetNewPasswordForm.tsx:139
msgid "Enter a password"
-msgstr ""
+msgstr "パスワードを入力"
#: src/components/dialogs/MutedWords.tsx:99
#: src/components/dialogs/MutedWords.tsx:100
@@ -1666,14 +1705,14 @@ msgstr "アカウントの作成に使用したメールアドレスを入力し
#: src/components/dialogs/BirthDateSettings.tsx:108
msgid "Enter your birth date"
-msgstr "誕生日を入力してください"
+msgstr "生年月日を入力してください"
#: src/view/com/modals/Waitlist.tsx:78
#~ msgid "Enter your email"
#~ msgstr "メールアドレスを入力してください"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "メールアドレスを入力してください"
@@ -1697,7 +1736,7 @@ msgstr "ユーザー名とパスワードを入力してください"
msgid "Error receiving captcha response."
msgstr "Captchaレスポンスの受信中にエラーが発生しました。"
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "エラー:"
@@ -1738,8 +1777,8 @@ msgstr "検索クエリの入力を終了"
msgid "Expand alt text"
msgstr "ALTテキストを展開"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "返信する投稿全体を展開または折りたたむ"
@@ -1751,12 +1790,12 @@ msgstr "露骨な、または不愉快になる可能性のあるメディア。
msgid "Explicit sexual images."
msgstr "露骨な性的画像。"
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "私のデータをエクスポートする"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "私のデータをエクスポートする"
@@ -1772,11 +1811,11 @@ msgstr "外部メディアを有効にすると、それらのメディアのウ
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "外部メディアの設定"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "外部メディアの設定"
@@ -1789,12 +1828,12 @@ msgstr "アプリパスワードの作成に失敗しました。"
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "リストの作成に失敗しました。インターネットへの接続を確認の上、もう一度お試しください。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "投稿の削除に失敗しました。もう一度お試しください。"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "おすすめのフィードの読み込みに失敗しました"
@@ -1810,7 +1849,7 @@ msgstr "フィード"
msgid "Feed by {0}"
msgstr "{0}によるフィード"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "フィードはオフラインです"
@@ -1819,18 +1858,18 @@ msgstr "フィードはオフラインです"
#~ msgstr "フィードの設定"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "フィードバック"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "フィード"
@@ -1842,11 +1881,11 @@ msgstr "フィード"
#~ msgid "Feeds are created by users and organizations. They offer you varied experiences and suggest content you may like using algorithms."
#~ msgstr "フィードはさまざまなユーザーや組織によって作成されています。さまざまな体験や、アルゴリズムによっておすすめコンテンツを提案してくれます。"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "フィードはコンテンツを整理する為にユーザーによって作成されます。興味のあるフィードをいくつか選択してください。"
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "フィードはユーザーがプログラミングの専門知識を持って構築するカスタムアルゴリズムです。詳細については、<0/>を参照してください。"
@@ -1872,11 +1911,11 @@ msgstr "最後に"
msgid "Find accounts to follow"
msgstr "フォローするアカウントを探す"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Blueskyでユーザーを検索"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "右側の検索ツールでユーザーを検索"
@@ -1914,10 +1953,10 @@ msgid "Flip vertically"
msgstr "垂直方向に反転"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "フォロー"
@@ -1943,7 +1982,7 @@ msgstr "すべてのアカウントをフォロー"
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:144
msgid "Follow Back"
-msgstr ""
+msgstr "フォローバック"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:182
msgid "Follow selected accounts and continue to the next step"
@@ -1953,11 +1992,11 @@ msgstr "選択したアカウントをフォローして次のステップへ進
#~ msgid "Follow selected accounts and continue to then next step"
#~ msgstr "選択したアカウントをフォローして次のステップへ進む"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "何人かのユーザーをフォローして開始します。興味を持っている人に基づいて、より多くのユーザーをおすすめします。"
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "{0}がフォロー中"
@@ -1969,7 +2008,7 @@ msgstr "自分がフォローしているユーザー"
msgid "Followed users only"
msgstr "自分がフォローしているユーザーのみ"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "あなたをフォローしました"
@@ -1982,7 +2021,7 @@ msgstr "フォロワー"
#~ msgid "following"
#~ msgstr "フォロー中"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1993,15 +2032,15 @@ msgstr "フォロー中"
msgid "Following {0}"
msgstr "{0}をフォローしています"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr "Followingフィードの設定"
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "Followingフィードの設定"
@@ -2009,7 +2048,7 @@ msgstr "Followingフィードの設定"
msgid "Follows you"
msgstr "あなたをフォロー"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "あなたをフォロー"
@@ -2040,11 +2079,11 @@ msgstr "パスワードを忘れた"
#: src/screens/Login/LoginForm.tsx:201
msgid "Forgot password?"
-msgstr ""
+msgstr "パスワードを忘れた?"
#: src/screens/Login/LoginForm.tsx:212
msgid "Forgot?"
-msgstr ""
+msgstr "忘れた?"
#: src/lib/moderation/useReportOptions.ts:52
msgid "Frequently Posts Unwanted Content"
@@ -2055,7 +2094,7 @@ msgstr "望ましくないコンテンツを頻繁に投稿"
msgid "From @{sanitizedAuthor}"
msgstr "@{sanitizedAuthor}による"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "<0/>から"
@@ -2079,7 +2118,7 @@ msgstr "法律または利用規約への明らかな違反"
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "戻る"
@@ -2089,15 +2128,15 @@ msgstr "戻る"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "戻る"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "前のステップに戻る"
@@ -2109,7 +2148,7 @@ msgstr "ホームへ"
msgid "Go Home"
msgstr "ホームへ"
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "@{queryMaybeHandle}へ"
@@ -2139,16 +2178,16 @@ msgstr "ハッシュタグ"
#~ msgid "Hashtag: {tag}"
#~ msgstr "ハッシュタグ:{tag}"
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr "ハッシュタグ:#{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "なにか問題が発生しましたか?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "ヘルプ"
@@ -2181,17 +2220,17 @@ msgstr "アプリパスワードをお知らせします。"
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "非表示"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "非表示"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "投稿を非表示"
@@ -2200,11 +2239,11 @@ msgstr "投稿を非表示"
msgid "Hide the content"
msgstr "コンテンツを非表示"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "この投稿を非表示にしますか?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "ユーザーリストを非表示"
@@ -2240,11 +2279,11 @@ msgstr "このデータの読み込みに問題があるようです。詳細は
msgid "Hmmmm, we couldn't load that moderation service."
msgstr "そのモデレーションサービスを読み込めませんでした。"
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "ホーム"
@@ -2299,11 +2338,11 @@ msgstr "なにも選択しない場合は、全年齢対象です。"
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr "あなたがお住いの国の法律においてまだ成人していない場合は、親権者または法定後見人があなたに代わって本規約をお読みください。"
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr "このリストを削除すると、復元できなくなります。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr "この投稿を削除すると、復元できなくなります。"
@@ -2396,7 +2435,7 @@ msgstr "あなたのパスワードを入力"
msgid "Input your preferred hosting provider"
msgstr "ご希望のホスティングプロバイダーを入力"
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "あなたのユーザーハンドルを入力"
@@ -2438,10 +2477,9 @@ msgstr "招待コード:1個使用可能"
#: src/screens/Onboarding/StepFollowingFeed.tsx:65
msgid "It shows posts from the people you follow as they happen."
-msgstr "あなたがフォローした人の投稿が随時表示されます。"
+msgstr "あなたがフォローしたユーザーの投稿が随時表示されます。"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "仕事"
@@ -2474,11 +2512,11 @@ msgstr "{0}によるラベル"
msgid "Labeled by the author."
msgstr "投稿者によるラベル。"
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr "ラベル"
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr "ラベルは、ユーザーやコンテンツに対する注釈です。ラベルはネットワークを隠したり、警告したり、分類したりするのに使われます。"
@@ -2498,7 +2536,7 @@ msgstr "あなたのコンテンツのラベル"
msgid "Language selection"
msgstr "言語の選択"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "言語の設定"
@@ -2507,7 +2545,7 @@ msgstr "言語の設定"
msgid "Language Settings"
msgstr "言語の設定"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "言語"
@@ -2515,6 +2553,10 @@ msgstr "言語"
#~ msgid "Last step!"
#~ msgstr "最後のステップ!"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr "最新"
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr "詳細"
@@ -2553,7 +2595,7 @@ msgstr "Blueskyから離れる"
msgid "left to go."
msgstr "あと少しです。"
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "レガシーストレージがクリアされたため、今すぐアプリを再起動する必要があります。"
@@ -2571,16 +2613,16 @@ msgstr "さあ始めましょう!"
#~ msgid "Library"
#~ msgstr "ライブラリー"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "ライト"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "いいね"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "このフィードをいいね"
@@ -2604,13 +2646,13 @@ msgstr "{0} {1}にいいねされました"
msgid "Liked by {count} {0}"
msgstr "{count} {0}にいいねされました"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "いいねしたユーザー:{likeCount}人"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "あなたのカスタムフィードがいいねされました"
@@ -2622,11 +2664,11 @@ msgstr "あなたのカスタムフィードがいいねされました"
#~ msgid "liked your custom feed{0}"
#~ msgstr "{0}にあなたのカスタムフィードがいいねされました"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "あなたの投稿がいいねされました"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "いいね"
@@ -2646,7 +2688,7 @@ msgstr "リスト"
msgid "List Avatar"
msgstr "リストのアバター"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "リストをブロックしました"
@@ -2654,11 +2696,11 @@ msgstr "リストをブロックしました"
msgid "List by {0}"
msgstr "{0}によるリスト"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "リストを削除しました"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "リストをミュートしました"
@@ -2666,20 +2708,20 @@ msgstr "リストをミュートしました"
msgid "List Name"
msgstr "リストの名前"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "リストのブロックを解除しました"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "リストのミュートを解除しました"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "リスト"
@@ -2692,10 +2734,10 @@ msgstr "リスト"
msgid "Load new notifications"
msgstr "最新の通知を読み込む"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "最新の投稿を読み込む"
@@ -2736,7 +2778,7 @@ msgstr "リストにないアカウントにログイン"
#: src/screens/Login/SetNewPasswordForm.tsx:116
msgid "Looks like XXXXX-XXXXX"
-msgstr ""
+msgstr "XXXXX-XXXXXみたいなもの"
#: src/view/com/modals/LinkWarning.tsx:79
msgid "Make sure this is where you intend to go!"
@@ -2754,7 +2796,7 @@ msgstr "ミュートしたワードとタグの管理"
#~ msgid "May only contain letters and numbers"
#~ msgstr "英字と数字のみ使用可能です"
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "メディア"
@@ -2767,7 +2809,7 @@ msgid "Mentioned users"
msgstr "メンションされたユーザー"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "メニュー"
@@ -2785,10 +2827,10 @@ msgstr "誤解を招くアカウント"
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "モデレーション"
@@ -2801,13 +2843,13 @@ msgstr "モデレーションの詳細"
msgid "Moderation list by {0}"
msgstr "{0}の作成したモデレーションリスト"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "<0/>の作成したモデレーションリスト"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "あなたの作成したモデレーションリスト"
@@ -2828,7 +2870,7 @@ msgstr "モデレーションリスト"
msgid "Moderation Lists"
msgstr "モデレーションリスト"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "モデレーションの設定"
@@ -2845,7 +2887,7 @@ msgstr "モデレーションのツール"
msgid "Moderator has chosen to set a general warning on the content."
msgstr "モデレーターによりコンテンツに一般的な警告が設定されました。"
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr "さらに"
@@ -2853,7 +2895,7 @@ msgstr "さらに"
msgid "More feeds"
msgstr "その他のフィード"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "その他のオプション"
@@ -2882,7 +2924,7 @@ msgstr "{truncatedTag}をミュート"
msgid "Mute Account"
msgstr "アカウントをミュート"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "アカウントをミュート"
@@ -2902,12 +2944,12 @@ msgstr "タグのみをミュート"
msgid "Mute in text & tags"
msgstr "テキストとタグをミュート"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "リストをミュート"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "これらのアカウントをミュートしますか?"
@@ -2923,13 +2965,13 @@ msgstr "投稿のテキストやタグでこのワードをミュート"
msgid "Mute this word in tags only"
msgstr "タグのみでこのワードをミュート"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "スレッドをミュート"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "ワードとタグをミュート"
@@ -2942,11 +2984,11 @@ msgid "Muted accounts"
msgstr "ミュート中のアカウント"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "ミュート中のアカウント"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "ミュート中のアカウントの投稿は、フィードや通知から取り除かれます。ミュートの設定は完全に非公開です。"
@@ -2958,16 +3000,16 @@ msgstr "「{0}」によってミュート中"
msgid "Muted words & tags"
msgstr "ミュートしたワードとタグ"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "ミュートの設定は非公開です。ミュート中のアカウントはあなたと引き続き関わることができますが、そのアカウントの投稿や通知を受信することはできません。"
#: src/components/dialogs/BirthDateSettings.tsx:35
#: src/components/dialogs/BirthDateSettings.tsx:38
msgid "My Birthday"
-msgstr "誕生日"
+msgstr "生年月日"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "マイフィード"
@@ -2975,11 +3017,11 @@ msgstr "マイフィード"
msgid "My Profile"
msgstr "マイプロフィール"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr "保存されたフィード"
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "保存されたフィード"
@@ -3007,7 +3049,7 @@ msgid "Nature"
msgstr "自然"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "次の画面に移動します"
@@ -3016,9 +3058,9 @@ msgstr "次の画面に移動します"
msgid "Navigates to your profile"
msgstr "あなたのプロフィールに移動します"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
-msgstr "著作権違反を報告する必要がありますか?"
+msgstr "著作権侵害を報告する必要がありますか?"
#: src/view/com/modals/EmbedConsent.tsx:107
#: src/view/com/modals/EmbedConsent.tsx:123
@@ -3068,12 +3110,12 @@ msgctxt "action"
msgid "New post"
msgstr "新しい投稿"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "新しい投稿"
@@ -3101,12 +3143,12 @@ msgstr "ニュース"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3130,8 +3172,8 @@ msgstr "次の画像"
msgid "No"
msgstr "いいえ"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "説明はありません"
@@ -3143,9 +3185,9 @@ msgstr "DNSパネルがない場合"
msgid "No longer following {0}"
msgstr "{0}のフォローを解除しました"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
-msgstr ""
+msgstr "253文字まで"
#: src/view/com/notifications/Feed.tsx:109
msgid "No notifications yet!"
@@ -3160,13 +3202,13 @@ msgstr "結果はありません"
msgid "No results found"
msgstr "結果は見つかりません"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "「{query}」の検索結果はありません"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "「{query}」の検索結果はありません"
@@ -3193,7 +3235,7 @@ msgid "Not Applicable."
msgstr "該当なし。"
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "見つかりません"
@@ -3203,8 +3245,8 @@ msgid "Not right now"
msgstr "今はしない"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr "共有についての注意事項"
@@ -3216,13 +3258,13 @@ msgstr "共有についての注意事項"
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "注記:Blueskyはオープンでパブリックなネットワークです。この設定はBlueskyのアプリおよびウェブサイト上のみでのあなたのコンテンツの可視性を制限するものであり、他のアプリではこの設定を尊重しない場合があります。他のアプリやウェブサイトでは、ログアウトしたユーザーにあなたのコンテンツが表示される場合があります。"
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "通知"
@@ -3232,15 +3274,15 @@ msgstr "ヌード"
#: src/lib/moderation/useReportOptions.ts:71
msgid "Nudity or adult content not labeled as such"
-msgstr ""
+msgstr "ヌードあるいは成人向けコンテンツと表示されていないもの"
#: src/lib/moderation/useReportOptions.ts:71
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr "ヌードもしくはポルノと表示されていないもの"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
-msgstr ""
+msgstr "/"
#: src/lib/moderation/useLabelBehaviorDescription.ts:11
msgid "Off"
@@ -3255,7 +3297,7 @@ msgid "Oh no! Something went wrong."
msgstr "ちょっと!なにかがおかしいです。"
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr "OK"
@@ -3267,7 +3309,7 @@ msgstr "OK"
msgid "Oldest replies first"
msgstr "古い順に返信を表示"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "オンボーディングのリセット"
@@ -3279,9 +3321,9 @@ msgstr "1つもしくは複数の画像にALTテキストがありません。
msgid "Only {0} can reply."
msgstr "{0}のみ返信可能"
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
-msgstr ""
+msgstr "英数字とハイフンのみ"
#: src/components/Lists.tsx:75
msgid "Oops, something went wrong!"
@@ -3289,7 +3331,7 @@ msgstr "おっと、なにかが間違っているようです!"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "おっと!"
@@ -3306,11 +3348,11 @@ msgstr "開かれています"
msgid "Open emoji picker"
msgstr "絵文字を入力"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr "フィードの設定メニューを開く"
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "アプリ内ブラウザーでリンクを開く"
@@ -3322,20 +3364,20 @@ msgstr "ミュートしたワードとタグの設定を開く"
#~ msgid "Open muted words settings"
#~ msgstr "ミュートしたワードの設定を開く"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "ナビゲーションを開く"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr "投稿のオプションを開く"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "絵本のページを開く"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr "システムのログを開く"
@@ -3347,7 +3389,7 @@ msgstr "{numItems}個のオプションを開く"
msgid "Opens additional details for a debug entry"
msgstr "デバッグエントリーの追加詳細を開く"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "この通知内のユーザーの拡張リストを開く"
@@ -3359,7 +3401,7 @@ msgstr "デバイスのカメラを開く"
msgid "Opens composer"
msgstr "編集画面を開く"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "構成可能な言語設定を開く"
@@ -3371,19 +3413,17 @@ msgstr "デバイスのフォトギャラリーを開く"
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr "プロフィールの表示名、アバター、背景画像、説明文のエディタを開く"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "外部コンテンツの埋め込みの設定を開く"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr "新しいBlueskyのアカウントを作成するフローを開く"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr "既存のBlueskyアカウントにサインインするフローを開く"
@@ -3403,7 +3443,7 @@ msgstr "既存のBlueskyアカウントにサインインするフローを開
msgid "Opens list of invite codes"
msgstr "招待コードのリストを開く"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr "アカウントの削除確認用の表示を開きます。メールアドレスのコードが必要です"
@@ -3411,19 +3451,19 @@ msgstr "アカウントの削除確認用の表示を開きます。メールア
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr "アカウントの削除確認用の表示を開きます。メールアドレスのコードが必要です。"
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr "Blueskyのパスワードを変更するためのモーダルを開く"
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr "新しいBlueskyのハンドルを選択するためのモーダルを開く"
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr "Blueskyのアカウントのデータ(リポジトリ)をダウンロードするためのモーダルを開く"
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr "メールアドレスの認証のためのモーダルを開く"
@@ -3431,7 +3471,7 @@ msgstr "メールアドレスの認証のためのモーダルを開く"
msgid "Opens modal for using custom domain"
msgstr "カスタムドメインを使用するためのモーダルを開く"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "モデレーションの設定を開く"
@@ -3439,16 +3479,16 @@ msgstr "モデレーションの設定を開く"
msgid "Opens password reset form"
msgstr "パスワードリセットのフォームを開く"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "保存されたフィードの編集画面を開く"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "保存されたすべてのフィードで画面を開く"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr "アプリパスワードの設定を開く"
@@ -3456,7 +3496,7 @@ msgstr "アプリパスワードの設定を開く"
#~ msgid "Opens the app password settings page"
#~ msgstr "アプリパスワードの設定ページを開く"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr "Followingフィードの設定を開く"
@@ -3468,16 +3508,16 @@ msgstr "Followingフィードの設定を開く"
msgid "Opens the linked website"
msgstr "リンク先のウェブサイトを開く"
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "ストーリーブックのページを開く"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "システムログのページを開く"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "スレッドの設定を開く"
@@ -3485,7 +3525,7 @@ msgstr "スレッドの設定を開く"
msgid "Option {0} of {numItems}"
msgstr "{numItems}個中{0}目のオプション"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr "オプションとして、以下に追加情報をご記入ください:"
@@ -3523,7 +3563,7 @@ msgid "Page Not Found"
msgstr "ページが見つかりません"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3541,6 +3581,11 @@ msgstr "パスワードが更新されました"
msgid "Password updated!"
msgstr "パスワードが更新されました!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr "ユーザー"
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "@{0}がフォロー中のユーザー"
@@ -3569,16 +3614,16 @@ msgstr "ペット"
msgid "Pictures meant for adults."
msgstr "成人向けの画像です。"
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "ホームにピン留め"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr "ホームにピン留め"
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "ピン留めされたフィード"
@@ -3704,7 +3749,7 @@ msgstr "{0}による投稿"
msgid "Post by @{0}"
msgstr "@{0}による投稿"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "投稿を削除"
@@ -3739,7 +3784,8 @@ msgstr "投稿が見つかりません"
msgid "posts"
msgstr "投稿"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "投稿"
@@ -3755,13 +3801,13 @@ msgstr "非表示の投稿"
msgid "Potentially Misleading Link"
msgstr "誤解を招く可能性のあるリンク"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
-msgstr ""
+msgstr "ホスティングプロバイダーを変える"
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr "再実行する"
@@ -3777,7 +3823,7 @@ msgstr "第一言語"
msgid "Prioritize Your Follows"
msgstr "あなたのフォローを優先"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "プライバシー"
@@ -3785,8 +3831,8 @@ msgstr "プライバシー"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "プライバシーポリシー"
@@ -3795,15 +3841,15 @@ msgid "Processing..."
msgstr "処理中..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr "プロフィール"
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "プロフィール"
@@ -3811,7 +3857,7 @@ msgstr "プロフィール"
msgid "Profile updated"
msgstr "プロフィールを更新しました"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "メールアドレスを確認してアカウントを保護します。"
@@ -3861,15 +3907,15 @@ msgstr "ランダムな順番で表示(別名「投稿者のルーレット」
msgid "Ratios"
msgstr "比率"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr "検索履歴"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "おすすめのフィード"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "おすすめのユーザー"
@@ -3890,7 +3936,7 @@ msgstr "削除"
msgid "Remove account"
msgstr "アカウントを削除"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr "アバターを削除"
@@ -3908,8 +3954,8 @@ msgstr "フィードを削除しますか?"
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "マイフィードから削除"
@@ -3954,7 +4000,7 @@ msgstr "リストから削除されました"
msgid "Removed from my feeds"
msgstr "フィードから削除しました"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr "あなたのフィードから削除しました"
@@ -3962,7 +4008,7 @@ msgstr "あなたのフィードから削除しました"
msgid "Removes default thumbnail from {0}"
msgstr "{0}からデフォルトのサムネイルを削除"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "返信"
@@ -3979,8 +4025,8 @@ msgstr "返信"
msgid "Reply Filters"
msgstr "返信のフィルター"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "<0/>に返信"
@@ -3996,19 +4042,19 @@ msgstr "アカウントを報告"
#: src/components/ReportDialog/index.tsx:49
msgid "Report dialog"
-msgstr ""
+msgstr "報告ダイアログ"
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "フィードを報告"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "リストを報告"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "投稿を報告"
@@ -4057,7 +4103,7 @@ msgstr "リポストまたは引用"
msgid "Reposted By"
msgstr "リポストしたユーザー"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "{0}にリポストされた"
@@ -4066,10 +4112,14 @@ msgstr "{0}にリポストされた"
#~ msgstr "{0}によるリポスト"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "<0/>によるリポスト"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "<0/>によるリポスト"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "あなたの投稿はリポストされました"
@@ -4091,7 +4141,7 @@ msgstr "変更を要求"
msgid "Request Code"
msgstr "コードをリクエスト"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "画像投稿時にALTテキストを必須とする"
@@ -4101,18 +4151,18 @@ msgstr "このプロバイダーに必要"
#: src/view/com/modals/ChangePassword.tsx:185
msgid "Reset code"
-msgstr "コードをリセット"
+msgstr "リセットコード"
#: src/view/com/modals/ChangePassword.tsx:192
msgid "Reset Code"
-msgstr "コードをリセット"
+msgstr "リセットコード"
#: src/view/screens/Settings/index.tsx:824
#~ msgid "Reset onboarding"
#~ msgstr "オンボーディングの状態をリセット"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "オンボーディングの状態をリセット"
@@ -4124,16 +4174,16 @@ msgstr "パスワードをリセット"
#~ msgid "Reset preferences"
#~ msgstr "設定をリセット"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "設定をリセット"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "オンボーディングの状態をリセットします"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "設定の状態をリセットします"
@@ -4152,7 +4202,7 @@ msgstr "エラーになった最後のアクションをやり直す"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
@@ -4163,7 +4213,7 @@ msgstr "再試行"
#~ msgstr "再試行"
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "前のページに戻る"
@@ -4199,7 +4249,7 @@ msgstr "ALTテキストを保存"
#: src/components/dialogs/BirthDateSettings.tsx:119
msgid "Save birthday"
-msgstr "誕生日を保存"
+msgstr "生年月日を保存"
#: src/view/com/modals/EditProfile.tsx:233
msgid "Save Changes"
@@ -4213,12 +4263,12 @@ msgstr "ハンドルの変更を保存"
msgid "Save image crop"
msgstr "画像の切り抜きを保存"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr "マイフィードに保存"
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "保存されたフィード"
@@ -4226,7 +4276,7 @@ msgstr "保存されたフィード"
msgid "Saved to your camera roll."
msgstr "カメラロールに保存しました。"
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr "フィードを保存しました"
@@ -4246,28 +4296,28 @@ msgstr "画像の切り抜き設定を保存"
msgid "Science"
msgstr "科学"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "一番上までスクロール"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "検索"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "「{query}」を検索"
@@ -4326,13 +4376,18 @@ msgstr "<0>{displayTag}0>の投稿を表示(このユーザーのみ)"
#~ msgid "See <0>{tag}0> posts by this user"
#~ msgstr "<0>{tag}0>の投稿を表示(このユーザーのみ)"
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "ガイドを見る"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "次を見る"
+#~ msgid "See what's next"
+#~ msgstr "次を見る"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4340,7 +4395,7 @@ msgstr "{item}を選択"
#: src/screens/Login/ChooseAccountForm.tsx:61
msgid "Select account"
-msgstr ""
+msgstr "アカウントを選択"
#: src/view/com/modals/ServerInput.tsx:75
#~ msgid "Select Bluesky Social"
@@ -4371,7 +4426,7 @@ msgstr "{numItems}個中{i}個目のオプションを選択"
msgid "Select some accounts below to follow"
msgstr "次のアカウントを選択してフォローしてください"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr "報告先のモデレーションサービスを選んでください"
@@ -4403,9 +4458,9 @@ msgstr "登録されたフィードに含める言語を選択します。選択
msgid "Select your app language for the default text to display in the app."
msgstr "アプリに表示されるデフォルトのテキストの言語を選択"
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
-msgstr ""
+msgstr "生年月日を選択"
#: src/screens/Onboarding/StepInterests/index.tsx:200
msgid "Select your interests from the options below"
@@ -4445,13 +4500,13 @@ msgstr "メールを送信"
#~ msgid "Send Email"
#~ msgstr "メールを送信"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "フィードバックを送信"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr "報告を送信"
@@ -4545,23 +4600,23 @@ msgstr "アカウントを設定する"
msgid "Sets Bluesky username"
msgstr "Blueskyのユーザーネームを設定"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr "カラーテーマをダークに設定します"
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr "カラーテーマをライトに設定します"
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr "デバイスで設定したカラーテーマを使用するように設定します"
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr "ダークテーマを暗いものに設定します"
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr "ダークテーマを薄暗いものに設定します"
@@ -4595,10 +4650,10 @@ msgstr "画像のアスペクト比をワイドに設定"
#~ msgstr "Blueskyのクライアントのサーバーを設定"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "設定"
@@ -4617,38 +4672,38 @@ msgstr "共有"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "共有"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr "とにかく共有"
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "フィードを共有"
#: src/view/com/modals/LinkWarning.tsx:89
#: src/view/com/modals/LinkWarning.tsx:95
msgid "Share Link"
-msgstr ""
+msgstr "リンクを共有"
#: src/view/com/modals/LinkWarning.tsx:92
msgid "Shares the linked website"
-msgstr ""
+msgstr "リンクしたウェブサイトを共有"
#: src/components/moderation/ContentHider.tsx:115
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "表示"
@@ -4678,9 +4733,9 @@ msgstr "バッジの表示とフィードからのフィルタリング"
msgid "Show follows similar to {0}"
msgstr "{0}に似たおすすめのフォロー候補を表示"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "さらに表示"
@@ -4737,7 +4792,7 @@ msgstr "Followingフィードでリポストを表示"
msgid "Show the content"
msgstr "コンテンツを表示"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "ユーザーを表示"
@@ -4757,24 +4812,24 @@ msgstr "警告の表示とフィードからのフィルタリング"
msgid "Shows posts from {0} in your feed"
msgstr "マイフィード内の{0}からの投稿を表示します"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "サインイン"
@@ -4792,28 +4847,36 @@ msgstr "{0}としてサインイン"
msgid "Sign in as..."
msgstr "アカウントの選択"
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "サインイン"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "サインアウト"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "サインアップ"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "サインアップまたはサインインして会話に参加"
@@ -4822,7 +4885,7 @@ msgstr "サインアップまたはサインインして会話に参加"
msgid "Sign-in Required"
msgstr "サインインが必要"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "サインイン済み"
@@ -4858,7 +4921,7 @@ msgstr "ソフトウェア開発"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr "なにか間違っているようなので、もう一度お試しください。"
@@ -4870,7 +4933,7 @@ msgstr "なにか間違っているようなので、もう一度お試しくだ
#~ msgid "Something went wrong. Check your email and try again."
#~ msgstr "なんらかの問題が発生しました。メールアドレスを確認し、もう一度お試しください。"
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "大変申し訳ありません!セッションの有効期限が切れました。もう一度ログインしてください。"
@@ -4906,13 +4969,13 @@ msgstr "正方形"
#~ msgid "Staging"
#~ msgstr "ステージング"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "ステータスページ"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
-msgstr ""
+msgstr "ステップ"
#: src/view/com/auth/create/StepHeader.tsx:22
#~ msgid "Step {0} of {numSteps}"
@@ -4922,12 +4985,12 @@ msgstr ""
#~ msgid "Step {step} of 3"
#~ msgstr "3個中{step}個目のステップ"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "ストレージがクリアされたため、今すぐアプリを再起動する必要があります。"
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "ストーリーブック"
@@ -4936,15 +4999,15 @@ msgstr "ストーリーブック"
msgid "Submit"
msgstr "送信"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "登録"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr "これらのラベルを使用するには@{0}を登録してください:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr "ラベラーを登録する"
@@ -4953,11 +5016,11 @@ msgstr "ラベラーを登録する"
msgid "Subscribe to the {0} feed"
msgstr "{0} フィードを登録"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr "このラベラーを登録"
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "このリストに登録"
@@ -4965,7 +5028,7 @@ msgstr "このリストに登録"
#~ msgid "Subscribed"
#~ msgstr "登録済み"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "おすすめのフォロー"
@@ -4992,19 +5055,19 @@ msgstr "サポート"
msgid "Switch Account"
msgstr "アカウントを切り替える"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "{0}に切り替え"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "ログインしているアカウントを切り替えます"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "システム"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "システムログ"
@@ -5038,9 +5101,9 @@ msgstr "条件"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "利用規約"
@@ -5058,7 +5121,7 @@ msgstr "テキスト"
msgid "Text input field"
msgstr "テキストの入力フィールド"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr "ありがとうございます。あなたの報告は送信されました。"
@@ -5066,11 +5129,11 @@ msgstr "ありがとうございます。あなたの報告は送信されまし
msgid "That contains the following:"
msgstr "その内容は以下の通りです:"
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "そのハンドルはすでに使用されています。"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "このアカウントは、ブロック解除後にあなたとやり取りすることができます。"
@@ -5124,8 +5187,8 @@ msgstr "サービス規約は移動しました"
msgid "There are many feeds to try:"
msgstr "試せるフィードはたくさんあります:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "サーバーへの問い合わせ中に問題が発生しました。インターネットへの接続を確認の上、もう一度お試しください。"
@@ -5133,15 +5196,15 @@ msgstr "サーバーへの問い合わせ中に問題が発生しました。イ
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "フィードの削除中に問題が発生しました。インターネットへの接続を確認の上、もう一度お試しください。"
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "フィードの更新中に問題が発生しました。インターネットへの接続を確認の上、もう一度お試しください。"
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "サーバーへの問い合わせ中に問題が発生しました"
@@ -5164,12 +5227,12 @@ msgstr "投稿の取得中に問題が発生しました。もう一度試すに
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "リストの取得中に問題が発生しました。もう一度試すにはこちらをタップしてください。"
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "リストの取得中に問題が発生しました。もう一度試すにはこちらをタップしてください。"
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr "報告の送信に問題が発生しました。インターネットの接続を確認してください。"
@@ -5195,10 +5258,10 @@ msgstr "アプリパスワードの取得中に問題が発生しました"
msgid "There was an issue! {0}"
msgstr "問題が発生しました! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "問題が発生しました。インターネットへの接続を確認の上、もう一度お試しください。"
@@ -5271,9 +5334,9 @@ msgstr "この機能はベータ版です。リポジトリのエクスポート
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "現在このフィードにはアクセスが集中しており、一時的にご利用いただけません。時間をおいてもう一度お試しください。"
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "このフィードは空です!"
@@ -5297,7 +5360,7 @@ msgstr "これは、メールアドレスの変更やパスワードのリセッ
msgid "This label was applied by {0}."
msgstr "{0}によって適用されたラベルです。"
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr "このラベラーはどのようなラベルを発行しているか宣言しておらず、活動していない可能性もあります。"
@@ -5305,7 +5368,7 @@ msgstr "このラベラーはどのようなラベルを発行しているか宣
msgid "This link is taking you to the following website:"
msgstr "このリンクは次のウェブサイトへリンクしています:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "このリストは空です!"
@@ -5321,12 +5384,12 @@ msgstr "この名前はすでに使用中です"
msgid "This post has been deleted."
msgstr "この投稿は削除されました。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr "この投稿はログインしているユーザーにのみ表示されます。ログインしていない方には見えません。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr "この投稿はフィードから非表示になります。"
@@ -5391,12 +5454,12 @@ msgstr "ミュートしたワードから{0}が削除されます。あとでい
#~ msgid "This will hide this post from your feeds."
#~ msgstr "この投稿をあなたのフィードにおいて非表示にします。"
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr "スレッドの設定"
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "スレッドの設定"
@@ -5424,14 +5487,18 @@ msgstr "ドロップダウンをトグル"
msgid "Toggle to enable or disable adult content"
msgstr "成人向けコンテンツの有効もしくは無効の切り替え"
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr "トップ"
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "変換"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "翻訳"
@@ -5448,11 +5515,11 @@ msgstr "再試行"
msgid "Type:"
msgstr "タイプ:"
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "リストでのブロックを解除"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "リストでのミュートを解除"
@@ -5460,15 +5527,15 @@ msgstr "リストでのミュートを解除"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "あなたのサービスに接続できません。インターネットの接続を確認してください。"
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "ブロックを解除"
@@ -5482,7 +5549,7 @@ msgstr "ブロックを解除"
msgid "Unblock Account"
msgstr "アカウントのブロックを解除"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr "アカウントのブロックを解除しますか?"
@@ -5495,7 +5562,7 @@ msgid "Undo repost"
msgstr "リポストを元に戻す"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr "フォローを解除"
@@ -5517,16 +5584,16 @@ msgstr "アカウントのフォローを解除"
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "残念ながら、アカウントを作成するための要件を満たしていません。"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "いいねを外す"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr "このフィードからいいねを外す"
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "ミュートを解除"
@@ -5547,21 +5614,21 @@ msgstr "{displayTag}のすべての投稿のミュートを解除"
#~ msgid "Unmute all {tag} posts"
#~ msgstr "{tag}のすべての投稿のミュートを解除"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "スレッドのミュートを解除"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "ピン留めを解除"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr "ホームからピン留めを解除"
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "モデレーションリストのピン留めを解除"
@@ -5569,11 +5636,11 @@ msgstr "モデレーションリストのピン留めを解除"
#~ msgid "Unsave"
#~ msgstr "保存を解除"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr "登録を解除"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr "このラベラーの登録を解除"
@@ -5601,20 +5668,20 @@ msgstr "更新中…"
msgid "Upload a text file to:"
msgstr "テキストファイルのアップロード先:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr "カメラからアップロード"
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr "ファイルからアップロード"
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5692,13 +5759,13 @@ msgstr "あなたをブロックしているユーザー"
msgid "User list by {0}"
msgstr "<0/>の作成したユーザーリスト"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "<0/>の作成したユーザーリスト"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "あなたの作成したユーザーリスト"
@@ -5718,7 +5785,9 @@ msgstr "ユーザーリスト"
msgid "Username or email address"
msgstr "ユーザー名またはメールアドレス"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "ユーザー"
@@ -5746,15 +5815,15 @@ msgstr "値:"
msgid "Verify {0}"
msgstr "{0}で認証"
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "メールアドレスを確認"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "メールアドレスを確認"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "メールアドレスを確認"
@@ -5767,9 +5836,9 @@ msgstr "新しいメールアドレスを確認"
msgid "Verify Your Email"
msgstr "メールアドレスを確認"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
-msgstr ""
+msgstr "バージョン {0}"
#: src/screens/Onboarding/index.tsx:42
msgid "Video Games"
@@ -5783,11 +5852,11 @@ msgstr "{0}のアバターを表示"
msgid "View debug entry"
msgstr "デバッグエントリーを表示"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr "詳細を表示"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr "著作権侵害の報告の詳細を見る"
@@ -5799,6 +5868,8 @@ msgstr "スレッドをすべて表示"
msgid "View information about these labels"
msgstr "これらのラベルに関する情報を見る"
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "プロフィールを表示"
@@ -5811,7 +5882,7 @@ msgstr "アバターを表示"
msgid "View the labeling service provided by @{0}"
msgstr "@{0}によって提供されるラベリングサービスを見る"
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr "このフィードにいいねしたユーザーを見る"
@@ -5895,11 +5966,11 @@ msgstr "アカウントの準備ができたらお知らせします。"
msgid "We'll use this to help customize your experience."
msgstr "これはあなたの体験をカスタマイズするために使用されます。"
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "私たちはあなたが参加してくれることをとても楽しみにしています!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "大変申し訳ありませんが、このリストを解決できませんでした。それでもこの問題が解決しない場合は、作成者の@{handleOrDid}までお問い合わせください。"
@@ -5907,7 +5978,7 @@ msgstr "大変申し訳ありませんが、このリストを解決できませ
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "大変申し訳ありませんが、現在ミュートされたワードを読み込むことができませんでした。もう一度お試しください。"
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "大変申し訳ありませんが、検索を完了できませんでした。数分後に再試行してください。"
@@ -5916,7 +5987,7 @@ msgstr "大変申し訳ありませんが、検索を完了できませんでし
msgid "We're sorry! We can't find the page you were looking for."
msgstr "大変申し訳ありません!お探しのページは見つかりません。"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr "大変申し訳ありません!ラベラーは10までしか登録できず、すでに上限に達しています。"
@@ -5932,8 +6003,8 @@ msgstr "なにに興味がありますか?"
#~ msgid "What is the issue with this {collectionName}?"
#~ msgstr "この{collectionName}の問題はなんですか?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "最近どう?"
@@ -6044,15 +6115,15 @@ msgstr "あなたはまだだれもフォロワーがいません。"
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "まだ招待コードがありません!Blueskyをもうしばらく利用したらお送りします。"
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "ピン留めされたフィードがありません。"
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "保存されたフィードがありません!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "保存されたフィードがありません。"
@@ -6094,16 +6165,16 @@ msgstr "このユーザーをミュートしました"
#~ msgid "You have muted this user."
#~ msgstr "あなたはこのユーザーをミュートしています。"
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "フィードがありません。"
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "リストがありません。"
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr "ブロック中のアカウントはまだありません。アカウントをブロックするには、ユーザーのプロフィールに移動し、アカウントメニューから「アカウントをブロック」を選択します。"
@@ -6115,7 +6186,7 @@ msgstr "ブロック中のアカウントはまだありません。アカウン
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "アプリパスワードはまだ作成されていません。下のボタンを押すと作成できます。"
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr "ミュートしているアカウントはまだありません。アカウントをミュートするには、プロフィールに移動し、アカウントメニューから「アカウントをミュート」を選択します。"
@@ -6133,7 +6204,7 @@ msgstr "これらのラベルが誤って貼られたと思った場合は、異
#: src/screens/Signup/StepInfo/Policies.tsx:79
msgid "You must be 13 years of age or older to sign up."
-msgstr ""
+msgstr "サインアップするには、13歳以上である必要があります。"
#: src/view/com/modals/ContentFilteringSettings.tsx:175
#~ msgid "You must be 18 or older to enable adult content."
@@ -6143,15 +6214,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "成人向けコンテンツを有効にするには、18歳以上である必要があります。"
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr "報告をするには少なくとも1つのラベラーを選択する必要があります"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "これ以降、このスレッドに関する通知を受け取ることはできなくなります"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "これ以降、このスレッドに関する通知を受け取ることができます"
@@ -6182,7 +6253,7 @@ msgstr "この投稿でワードまたはタグを隠すことを選択しまし
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "フィードはここまでです!もっとフォローするアカウントを見つけましょう。"
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "あなたのアカウント"
@@ -6194,7 +6265,7 @@ msgstr "あなたのアカウントは削除されました"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "あなたのアカウントの公開データの全記録を含むリポジトリは、「CAR」ファイルとしてダウンロードできます。このファイルには、画像などのメディア埋め込み、また非公開のデータは含まれていないため、それらは個別に取得する必要があります。"
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "生年月日"
@@ -6228,7 +6299,7 @@ msgstr "メールアドレスはまだ確認されていません。これは、
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Followingフィードは空です!もっと多くのユーザーをフォローして、近況を確認しましょう。"
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "フルハンドルは"
@@ -6264,7 +6335,7 @@ msgstr "投稿を公開しました"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "投稿、いいね、ブロックは公開されます。ミュートは非公開です。"
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "あなたのプロフィール"
@@ -6276,6 +6347,6 @@ msgstr "あなたのプロフィール"
msgid "Your reply has been published"
msgstr "返信を公開しました"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "あなたのユーザーハンドル"
diff --git a/src/locale/locales/ko/messages.po b/src/locale/locales/ko/messages.po
index 48c7a235bd..1a2878bf77 100644
--- a/src/locale/locales/ko/messages.po
+++ b/src/locale/locales/ko/messages.po
@@ -17,11 +17,12 @@ msgstr ""
msgid "(no email)"
msgstr "(이메일 없음)"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} 팔로우 중"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications}개 읽지 않음"
@@ -33,15 +34,20 @@ msgstr "<0/>의 멤버"
msgid "<0>{0}0> following"
msgstr "<0>{0}0> 팔로우 중"
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>팔로우 중1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<1>추천 피드1><0>선택하기0>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<1>추천 사용자1><0>팔로우하기0>"
@@ -49,21 +55,21 @@ msgstr "<1>추천 사용자1><0>팔로우하기0>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<1>Bluesky1><0>에 오신 것을 환영합니다0>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠잘못된 핸들"
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "탐색 링크 및 설정으로 이동합니다"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "프로필 및 기타 탐색 링크로 이동합니다"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "접근성"
@@ -72,8 +78,8 @@ msgid "account"
msgstr "계정"
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "계정"
@@ -123,7 +129,7 @@ msgstr "계정 언뮤트됨"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "추가"
@@ -131,13 +137,13 @@ msgstr "추가"
msgid "Add a content warning"
msgstr "콘텐츠 경고 추가"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "이 리스트에 사용자 추가"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "계정 추가"
@@ -210,11 +216,11 @@ msgid "Adult content is disabled."
msgstr "성인 콘텐츠가 비활성화되어 있습니다."
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "고급"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "저장한 모든 피드를 한 곳에서 확인하세요."
@@ -251,6 +257,8 @@ msgstr "이전 주소인 {0}(으)로 이메일을 보냈습니다. 이 이메일
msgid "An issue not included in these options"
msgstr "어떤 옵션에도 포함되지 않는 문제"
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -258,7 +266,7 @@ msgstr "어떤 옵션에도 포함되지 않는 문제"
msgid "An issue occurred, please try again."
msgstr "문제가 발생했습니다. 다시 시도해 주세요."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "및"
@@ -287,13 +295,13 @@ msgstr "앱 비밀번호 이름에는 문자, 숫자, 공백, 대시, 밑줄만
msgid "App Password names must be at least 4 characters long."
msgstr "앱 비밀번호 이름은 4자 이상이어야 합니다."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "앱 비밀번호 설정"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "앱 비밀번호"
@@ -310,7 +318,7 @@ msgstr "\"{0}\" 라벨 이의신청"
msgid "Appeal submitted."
msgstr "이의신청 제출함"
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "모양"
@@ -342,7 +350,7 @@ msgstr "예술"
msgid "Artistic or non-erotic nudity."
msgstr "선정적이지 않거나 예술적인 노출."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr "3자 이상"
@@ -357,7 +365,7 @@ msgstr "3자 이상"
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "뒤로"
@@ -366,7 +374,7 @@ msgstr "뒤로"
msgid "Based on your interest in {interestsText}"
msgstr "{interestsText}에 대한 관심사 기반"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "기본"
@@ -374,11 +382,11 @@ msgstr "기본"
msgid "Birthday"
msgstr "생년월일"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "생년월일:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr "차단"
@@ -392,21 +400,21 @@ msgstr "계정 차단"
msgid "Block Account?"
msgstr "계정을 차단하시겠습니까?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "계정 차단"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "리스트 차단"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "이 계정들을 차단하시겠습니까?"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "차단됨"
@@ -415,7 +423,7 @@ msgid "Blocked accounts"
msgstr "차단한 계정"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "차단한 계정"
@@ -423,7 +431,7 @@ msgstr "차단한 계정"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "차단한 계정은 내 스레드에 답글을 달거나 나를 멘션하거나 기타 다른 방식으로 나와 상호작용할 수 없습니다."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "차단한 계정은 내 스레드에 답글을 달거나 나를 멘션하거나 기타 다른 방식으로 나와 상호작용할 수 없습니다. 차단한 계정의 콘텐츠를 볼 수 없으며 해당 계정도 내 콘텐츠를 볼 수 없게 됩니다."
@@ -431,11 +439,11 @@ msgstr "차단한 계정은 내 스레드에 답글을 달거나 나를 멘션
msgid "Blocked post."
msgstr "차단된 게시물."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr "차단하더라도 이 라벨러가 내 계정에 라벨을 붙이는 것을 막지는 못합니다."
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "차단 목록은 공개됩니다. 차단한 계정은 내 스레드에 답글을 달거나 나를 멘션하거나 기타 다른 방식으로 나와 상호작용할 수 없습니다."
@@ -443,12 +451,10 @@ msgstr "차단 목록은 공개됩니다. 차단한 계정은 내 스레드에
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr "차단하더라도 내 계정에 라벨이 붙는 것은 막지 못하지만, 이 계정이 내 스레드에 답글을 달거나 나와 상호작용하는 것은 중지됩니다."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "블로그"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -489,12 +495,7 @@ msgstr "이미지 흐리게 및 피드에서 필터링"
msgid "Books"
msgstr "책"
-#: src/view/screens/Settings/index.tsx:893
-#~ msgid "Build version {0} {1}"
-#~ msgstr "빌드 버전 {0} {1}"
-
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "비즈니스"
@@ -552,7 +553,7 @@ msgstr "글자, 숫자, 공백, 대시, 밑줄만 포함할 수 있습니다.
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "취소"
@@ -598,17 +599,17 @@ msgstr "연결된 웹사이트를 여는 것을 취소합니다"
msgid "Change"
msgstr "변경"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "변경"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "핸들 변경"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "핸들 변경"
@@ -616,12 +617,12 @@ msgstr "핸들 변경"
msgid "Change my email"
msgstr "내 이메일 변경하기"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "비밀번호 변경"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "비밀번호 변경"
@@ -638,11 +639,11 @@ msgstr "이메일 변경"
msgid "Check my status"
msgstr "내 상태 확인"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "몇 가지 추천 피드를 확인하세요. +를 탭하여 고정된 피드 목록에 추가합니다."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "추천 사용자를 확인하세요. 해당 사용자를 팔로우하여 비슷한 사용자를 만날 수 있습니다."
@@ -671,36 +672,36 @@ msgstr "맞춤 피드를 통해 사용자 경험을 강화하는 알고리즘을
msgid "Choose your main feeds"
msgstr "기본 피드 선택"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "비밀번호를 입력하세요"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "모든 레거시 스토리지 데이터 지우기"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "모든 레거시 스토리지 데이터 지우기 (이후 다시 시작)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "모든 스토리지 데이터 지우기"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "모든 스토리지 데이터 지우기 (이후 다시 시작)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "검색어 지우기"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr "모든 레거시 스토리지 데이터를 지웁니다"
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr "모든 스토리지 데이터를 지웁니다"
@@ -712,7 +713,7 @@ msgstr "이곳을 클릭"
msgid "Click here to open tag menu for {tag}"
msgstr "이곳을 클릭하여 {tag}의 태그 메뉴 열기"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "이곳을 클릭하여 #{tag}의 태그 메뉴 열기"
@@ -746,7 +747,7 @@ msgstr "이미지 닫기"
msgid "Close image viewer"
msgstr "이미지 뷰어 닫기"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "탐색 푸터 닫기"
@@ -755,7 +756,7 @@ msgstr "탐색 푸터 닫기"
msgid "Close this dialog"
msgstr "이 대화 상자 닫기"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "하단 탐색 막대를 닫습니다"
@@ -771,7 +772,7 @@ msgstr "게시물 작성 상자를 닫고 게시물 초안을 삭제합니다"
msgid "Closes viewer for header image"
msgstr "헤더 이미지 뷰어를 닫습니다"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "이 알림에 대한 사용자 목록을 축소합니다"
@@ -792,7 +793,7 @@ msgstr "커뮤니티 가이드라인"
msgid "Complete onboarding and start using your account"
msgstr "온보딩 완료 후 계정 사용 시작"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "챌린지 완료하기"
@@ -858,7 +859,7 @@ msgstr "확인 코드"
msgid "Connecting..."
msgstr "연결 중…"
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "지원에 연락하기"
@@ -904,8 +905,8 @@ msgstr "컨텍스트 메뉴 배경을 클릭하여 메뉴를 닫습니다."
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "계속"
@@ -918,7 +919,7 @@ msgstr "{0}(으)로 계속하기 (현재 로그인)"
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "다음 단계로 계속하기"
@@ -939,17 +940,21 @@ msgstr "요리"
msgid "Copied"
msgstr "복사됨"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "빌드 버전 클립보드에 복사됨"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "클립보드에 복사됨"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "앱 비밀번호를 복사합니다"
@@ -962,17 +967,22 @@ msgstr "복사"
msgid "Copy {0}"
msgstr "{0} 복사"
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "리스트 링크 복사"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "게시물 링크 복사"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "게시물 텍스트 복사"
@@ -985,35 +995,38 @@ msgstr "저작권 정책"
msgid "Could not load feed"
msgstr "피드를 불러올 수 없습니다"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "리스트를 불러올 수 없습니다"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "새 계정 만들기"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "새 Bluesky 계정을 만듭니다"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "계정 만들기"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "앱 비밀번호 만들기"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "새 계정 만들기"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr "{0}에 대한 신고 작성하기"
@@ -1039,7 +1052,7 @@ msgid "Custom domain"
msgstr "사용자 지정 도메인"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "커뮤니티에서 구축한 맞춤 피드는 새로운 경험을 제공하고 좋아하는 콘텐츠를 찾을 수 있도록 도와줍니다."
@@ -1047,8 +1060,8 @@ msgstr "커뮤니티에서 구축한 맞춤 피드는 새로운 경험을 제공
msgid "Customize media from external sites."
msgstr "외부 사이트 미디어를 사용자 지정합니다."
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "어두움"
@@ -1056,15 +1069,15 @@ msgstr "어두움"
msgid "Dark mode"
msgstr "어두운 모드"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "어두운 테마"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr "생년월일"
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr "검토 디버그"
@@ -1072,13 +1085,13 @@ msgstr "검토 디버그"
msgid "Debug panel"
msgstr "디버그 패널"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr "삭제"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "계정 삭제"
@@ -1094,7 +1107,7 @@ msgstr "앱 비밀번호 삭제"
msgid "Delete app password?"
msgstr "앱 비밀번호를 삭제하시겠습니까?"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "리스트 삭제"
@@ -1102,24 +1115,24 @@ msgstr "리스트 삭제"
msgid "Delete my account"
msgstr "내 계정 삭제"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "내 계정 삭제…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "게시물 삭제"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr "이 리스트를 삭제하시겠습니까?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "이 게시물을 삭제하시겠습니까?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "삭제됨"
@@ -1138,10 +1151,18 @@ msgstr "설명"
msgid "Did you want to say anything?"
msgstr "하고 싶은 말이 있나요?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "어둑함"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr "햅틱 끄기"
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr "진동 끄기"
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1167,7 +1188,7 @@ msgstr "앱이 로그아웃한 사용자에게 내 계정을 표시하지 않도
msgid "Discover new custom feeds"
msgstr "새로운 맞춤 피드 찾아보기"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "새 피드 발견하기"
@@ -1187,7 +1208,7 @@ msgstr "DNS 패널"
msgid "Does not include nudity."
msgstr "노출을 포함하지 않습니다."
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr "하이픈으로 시작하거나 끝나지 않음"
@@ -1217,7 +1238,7 @@ msgstr "도메인을 확인했습니다."
msgid "Done"
msgstr "완료"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1292,7 +1313,7 @@ msgctxt "action"
msgid "Edit"
msgstr "편집"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr "아바타 편집"
@@ -1302,7 +1323,7 @@ msgstr "아바타 편집"
msgid "Edit image"
msgstr "이미지 편집"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "리스트 세부 정보 편집"
@@ -1311,8 +1332,8 @@ msgid "Edit Moderation List"
msgstr "검토 리스트 편집"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "내 피드 편집"
@@ -1320,18 +1341,18 @@ msgstr "내 피드 편집"
msgid "Edit my profile"
msgstr "내 프로필 편집"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "프로필 편집"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "프로필 편집"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "저장된 피드 편집"
@@ -1373,13 +1394,27 @@ msgstr "이메일 변경됨"
msgid "Email verified"
msgstr "이메일 확인됨"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "이메일:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
-msgstr "{0}만 사용"
+msgstr "{0}에서만 사용"
#: src/screens/Moderation/index.tsx:329
msgid "Enable adult content"
@@ -1397,11 +1432,7 @@ msgstr "피드에서 성인 콘텐츠 사용"
#: src/components/dialogs/EmbedConsent.tsx:82
#: src/components/dialogs/EmbedConsent.tsx:89
msgid "Enable external media"
-msgstr ""
-
-#: src/view/com/modals/EmbedConsent.tsx:97
-#~ msgid "Enable External Media"
-#~ msgstr "외부 미디어 사용"
+msgstr "외부 미디어 사용"
#: src/view/screens/PreferencesExternalEmbeds.tsx:75
msgid "Enable media players for"
@@ -1413,13 +1444,13 @@ msgstr "내가 팔로우하는 사람들 간의 답글만 표시합니다."
#: src/components/dialogs/EmbedConsent.tsx:94
msgid "Enable this source only"
-msgstr ""
+msgstr "이 소스에서만 사용"
#: src/screens/Moderation/index.tsx:339
msgid "Enabled"
msgstr "활성화됨"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "피드 끝"
@@ -1457,7 +1488,7 @@ msgid "Enter your birth date"
msgstr "생년월일을 입력하세요"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "이메일 주소를 입력하세요"
@@ -1477,7 +1508,7 @@ msgstr "사용자 이름 및 비밀번호 입력"
msgid "Error receiving captcha response."
msgstr "캡차 응답을 수신하는 동안 오류가 발생했습니다."
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "오류:"
@@ -1514,8 +1545,8 @@ msgstr "검색어 입력을 종료합니다"
msgid "Expand alt text"
msgstr "대체 텍스트 확장"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "답글을 달고 있는 전체 게시물을 펼치거나 접습니다"
@@ -1527,12 +1558,12 @@ msgstr "노골적이거나 불쾌감을 줄 수 있는 미디어."
msgid "Explicit sexual images."
msgstr "노골적인 성적 이미지."
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "내 데이터 내보내기"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "내 데이터 내보내기"
@@ -1548,11 +1579,11 @@ msgstr "외부 미디어는 웹사이트가 나와 내 기기에 대한 정보
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "외부 미디어 설정"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "외부 미디어 설정"
@@ -1565,12 +1596,12 @@ msgstr "앱 비밀번호를 만들지 못했습니다."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "리스트를 만들지 못했습니다. 인터넷 연결을 확인한 후 다시 시도하세요."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "게시물을 삭제하지 못했습니다. 다시 시도해 주세요"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "추천 피드를 불러오지 못했습니다"
@@ -1586,31 +1617,31 @@ msgstr "피드"
msgid "Feed by {0}"
msgstr "{0} 님의 피드"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "피드 오프라인"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "피드백"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "피드"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "피드는 콘텐츠를 큐레이션하기 위해 사용자에 의해 만들어집니다. 관심 있는 피드를 선택하세요."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "피드는 사용자가 약간의 코딩 전문 지식만으로 구축할 수 있는 맞춤 알고리즘입니다. <0/>에서 자세한 내용을 확인하세요."
@@ -1636,11 +1667,11 @@ msgstr "마무리 중"
msgid "Find accounts to follow"
msgstr "팔로우할 계정 찾아보기"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Bluesky에서 사용자 찾기"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "오른쪽의 검색 도구로 사용자 찾기"
@@ -1674,10 +1705,10 @@ msgid "Flip vertically"
msgstr "세로로 뒤집기"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "팔로우"
@@ -1703,17 +1734,17 @@ msgstr "모두 팔로우"
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:144
msgid "Follow Back"
-msgstr ""
+msgstr "맞팔로우"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:182
msgid "Follow selected accounts and continue to the next step"
msgstr "선택한 계정을 팔로우하고 다음 단계를 계속 진행합니다"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "시작하려면 사용자 몇 명을 팔로우해 보세요. 누구에게 관심이 있는지를 기반으로 더 많은 사용자를 추천해 드릴 수 있습니다."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "{0} 님이 팔로우함"
@@ -1725,7 +1756,7 @@ msgstr "팔로우한 사용자"
msgid "Followed users only"
msgstr "팔로우한 사용자만"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "님이 나를 팔로우했습니다"
@@ -1734,7 +1765,7 @@ msgstr "님이 나를 팔로우했습니다"
msgid "Followers"
msgstr "팔로워"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1745,15 +1776,15 @@ msgstr "팔로우 중"
msgid "Following {0}"
msgstr "{0} 님을 팔로우했습니다"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr "팔로우 중 피드 설정"
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "팔로우 중 피드 설정"
@@ -1761,7 +1792,7 @@ msgstr "팔로우 중 피드 설정"
msgid "Follows you"
msgstr "나를 팔로우함"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "나를 팔로우함"
@@ -1799,7 +1830,7 @@ msgstr "잦은 원치 않는 콘텐츠 게시"
msgid "From @{sanitizedAuthor}"
msgstr "@{sanitizedAuthor} 님의 태그"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "<0/>에서"
@@ -1823,7 +1854,7 @@ msgstr "명백한 법률 또는 서비스 이용약관 위반 행위"
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "뒤로"
@@ -1833,15 +1864,15 @@ msgstr "뒤로"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "뒤로"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "이전 단계로 돌아가기"
@@ -1853,7 +1884,7 @@ msgstr "홈으로 이동"
msgid "Go Home"
msgstr "홈으로 이동"
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "@{queryMaybeHandle}(으)로 이동"
@@ -1879,16 +1910,16 @@ msgstr "괴롭힘, 분쟁 유발 또는 차별"
msgid "Hashtag"
msgstr "해시태그"
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr "해시태그: #{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "문제가 있나요?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "도움말"
@@ -1917,17 +1948,17 @@ msgstr "앱 비밀번호입니다."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "숨기기"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "숨기기"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "게시물 숨기기"
@@ -1936,11 +1967,11 @@ msgstr "게시물 숨기기"
msgid "Hide the content"
msgstr "콘텐츠 숨기기"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "이 게시물을 숨기시겠습니까?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "사용자 리스트 숨기기"
@@ -1972,11 +2003,11 @@ msgstr "이 데이터를 불러오는 데 문제가 있는 것 같습니다. 자
msgid "Hmmmm, we couldn't load that moderation service."
msgstr "검토 서비스를 불러올 수 없습니다."
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "홈"
@@ -2019,11 +2050,11 @@ msgstr "아무것도 선택하지 않으면 모든 연령대에 적합하다는
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr "해당 국가의 법률에 따라 아직 성인이 아닌 경우, 부모 또는 법적 보호자가 대신 이 약관을 읽어야 합니다."
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr "이 리스트를 삭제하면 다시 복구할 수 없습니다."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr "이 게시물을 삭제하면 다시 복구할 수 없습니다."
@@ -2083,7 +2114,7 @@ msgstr "비밀번호를 입력합니다"
msgid "Input your preferred hosting provider"
msgstr "선호하는 호스팅 제공자를 입력합니다"
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "사용자 핸들을 입력합니다"
@@ -2119,8 +2150,7 @@ msgstr "초대 코드: 1개 사용 가능"
msgid "It shows posts from the people you follow as they happen."
msgstr "내가 팔로우하는 사람들의 게시물이 올라오는 대로 표시됩니다."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "채용"
@@ -2140,11 +2170,11 @@ msgstr "{0} 님이 라벨 지정함."
msgid "Labeled by the author."
msgstr "작성자가 라벨 지정함."
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr "라벨"
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr "라벨은 사용자 및 콘텐츠에 대한 주석입니다. 네트워크를 숨기고, 경고하고, 분류하는 데 사용할 수 있습니다."
@@ -2164,7 +2194,7 @@ msgstr "내 콘텐츠의 라벨"
msgid "Language selection"
msgstr "언어 선택"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "언어 설정"
@@ -2173,10 +2203,14 @@ msgstr "언어 설정"
msgid "Language Settings"
msgstr "언어 설정"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "언어"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr "최신"
+
#: src/components/moderation/ScreenHider.tsx:136
msgid "Learn More"
msgstr "더 알아보기"
@@ -2211,7 +2245,7 @@ msgstr "Bluesky 떠나기"
msgid "left to go."
msgstr "명 남았습니다."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "레거시 스토리지가 지워졌으며 지금 앱을 다시 시작해야 합니다."
@@ -2224,16 +2258,16 @@ msgstr "비밀번호를 재설정해 봅시다!"
msgid "Let's go!"
msgstr "출발!"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "밝음"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "좋아요"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "이 피드에 좋아요 표시"
@@ -2257,21 +2291,21 @@ msgstr "{0}명의 사용자가 좋아함"
msgid "Liked by {count} {0}"
msgstr "{count}명의 사용자가 좋아함"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "{likeCount}명의 사용자가 좋아함"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "님이 내 맞춤 피드를 좋아합니다"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "님이 내 게시물을 좋아합니다"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "좋아요"
@@ -2287,7 +2321,7 @@ msgstr "리스트"
msgid "List Avatar"
msgstr "리스트 아바타"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "리스트 차단됨"
@@ -2295,11 +2329,11 @@ msgstr "리스트 차단됨"
msgid "List by {0}"
msgstr "{0} 님의 리스트"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "리스트 삭제됨"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "리스트 뮤트됨"
@@ -2307,20 +2341,20 @@ msgstr "리스트 뮤트됨"
msgid "List Name"
msgstr "리스트 이름"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "리스트 차단 해제됨"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "리스트 언뮤트됨"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "리스트"
@@ -2328,10 +2362,10 @@ msgstr "리스트"
msgid "Load new notifications"
msgstr "새 알림 불러오기"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "새 게시물 불러오기"
@@ -2370,7 +2404,7 @@ msgstr "이곳이 당신이 가고자 하는 곳인지 확인하세요!"
msgid "Manage your muted words and tags"
msgstr "뮤트한 단어 및 태그 관리"
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "미디어"
@@ -2383,7 +2417,7 @@ msgid "Mentioned users"
msgstr "멘션한 사용자"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "메뉴"
@@ -2397,10 +2431,10 @@ msgstr "오해의 소지가 있는 계정"
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "검토"
@@ -2413,13 +2447,13 @@ msgstr "검토 세부 정보"
msgid "Moderation list by {0}"
msgstr "{0} 님의 검토 리스트"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "<0/> 님의 검토 리스트"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "내 검토 리스트"
@@ -2440,7 +2474,7 @@ msgstr "검토 리스트"
msgid "Moderation Lists"
msgstr "검토 리스트"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "검토 설정"
@@ -2457,7 +2491,7 @@ msgstr "검토 도구"
msgid "Moderator has chosen to set a general warning on the content."
msgstr "검토자가 콘텐츠에 일반 경고를 설정했습니다."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr "더 보기"
@@ -2465,7 +2499,7 @@ msgstr "더 보기"
msgid "More feeds"
msgstr "피드 더 보기"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "옵션 더 보기"
@@ -2486,7 +2520,7 @@ msgstr "{truncatedTag} 뮤트"
msgid "Mute Account"
msgstr "계정 뮤트"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "계정 뮤트"
@@ -2502,12 +2536,12 @@ msgstr "태그에서만 뮤트"
msgid "Mute in text & tags"
msgstr "글 및 태그에서 뮤트"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "리스트 뮤트"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "이 계정들을 뮤트하시겠습니까?"
@@ -2519,13 +2553,13 @@ msgstr "게시물 글 및 태그에서 이 단어 뮤트하기"
msgid "Mute this word in tags only"
msgstr "태그에서만 이 단어 뮤트하기"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "스레드 뮤트"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "단어 및 태그 뮤트"
@@ -2538,11 +2572,11 @@ msgid "Muted accounts"
msgstr "뮤트한 계정"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "뮤트한 계정"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "계정을 뮤트하면 피드와 알림에서 해당 계정의 게시물이 사라집니다. 뮤트 목록은 완전히 비공개로 유지됩니다."
@@ -2554,7 +2588,7 @@ msgstr "\"{0}\" 님이 뮤트함"
msgid "Muted words & tags"
msgstr "뮤트한 단어 및 태그"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "뮤트 목록은 비공개입니다. 뮤트한 계정은 나와 상호작용할 수 있지만 해당 계정의 게시물을 보거나 해당 계정으로부터 알림을 받을 수 없습니다."
@@ -2563,7 +2597,7 @@ msgstr "뮤트 목록은 비공개입니다. 뮤트한 계정은 나와 상호
msgid "My Birthday"
msgstr "내 생년월일"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "내 피드"
@@ -2571,11 +2605,11 @@ msgstr "내 피드"
msgid "My Profile"
msgstr "내 프로필"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr "내 저장된 피드"
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "내 저장된 피드"
@@ -2599,7 +2633,7 @@ msgid "Nature"
msgstr "자연"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "다음 화면으로 이동합니다"
@@ -2608,15 +2642,10 @@ msgstr "다음 화면으로 이동합니다"
msgid "Navigates to your profile"
msgstr "내 프로필로 이동합니다"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr "저작권 위반을 신고해야 하나요?"
-#: src/view/com/modals/EmbedConsent.tsx:107
-#: src/view/com/modals/EmbedConsent.tsx:123
-#~ msgid "Never load embeds from {0}"
-#~ msgstr "{0}에서 임베드를 불러오지 않습니다"
-
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:72
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:74
msgid "Never lose access to your followers and data."
@@ -2656,12 +2685,12 @@ msgctxt "action"
msgid "New post"
msgstr "새 게시물"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "새 게시물"
@@ -2685,12 +2714,12 @@ msgstr "뉴스"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -2714,8 +2743,8 @@ msgstr "다음 이미지"
msgid "No"
msgstr "아니요"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "설명 없음"
@@ -2727,7 +2756,7 @@ msgstr "DNS 패널 없음"
msgid "No longer following {0}"
msgstr "더 이상 {0} 님을 팔로우하지 않음"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr "253자를 초과하지 않음"
@@ -2744,13 +2773,13 @@ msgstr "결과 없음"
msgid "No results found"
msgstr "결과를 찾을 수 없음"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "\"{query}\"에 대한 결과를 찾을 수 없습니다"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "{query}에 대한 결과를 찾을 수 없습니다"
@@ -2777,7 +2806,7 @@ msgid "Not Applicable."
msgstr "해당 없음."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "찾을 수 없음"
@@ -2787,8 +2816,8 @@ msgid "Not right now"
msgstr "나중에 하기"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr "공유 관련 참고 사항"
@@ -2796,13 +2825,13 @@ msgstr "공유 관련 참고 사항"
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "참고: Bluesky는 개방형 공개 네트워크입니다. 이 설정은 Bluesky 앱과 웹사이트에서만 내 콘텐츠가 표시되는 것을 제한하며, 다른 앱에서는 이 설정을 준수하지 않을 수 있습니다. 다른 앱과 웹사이트에서는 로그아웃한 사용자에게 내 콘텐츠가 계속 표시될 수 있습니다."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "알림"
@@ -2812,13 +2841,9 @@ msgstr "노출"
#: src/lib/moderation/useReportOptions.ts:71
msgid "Nudity or adult content not labeled as such"
-msgstr ""
-
-#: src/lib/moderation/useReportOptions.ts:71
-#~ msgid "Nudity or pornography not labeled as such"
-#~ msgstr "누드 또는 음란물로 설정되지 않은 콘텐츠"
+msgstr "누드 또는 성인 콘텐츠로 설정되지 않은 콘텐츠"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -2835,7 +2860,7 @@ msgid "Oh no! Something went wrong."
msgstr "이런! 뭔가 잘못되었습니다."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr "확인"
@@ -2847,7 +2872,7 @@ msgstr "확인"
msgid "Oldest replies first"
msgstr "오래된 순"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "온보딩 재설정"
@@ -2859,7 +2884,7 @@ msgstr "하나 이상의 이미지에 대체 텍스트가 누락되었습니다.
msgid "Only {0} can reply."
msgstr "{0}만 답글을 달 수 있습니다."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr "문자, 숫자, 하이픈만 포함"
@@ -2869,7 +2894,7 @@ msgstr "이런, 뭔가 잘못되었습니다!"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "이런!"
@@ -2882,11 +2907,11 @@ msgstr "공개성"
msgid "Open emoji picker"
msgstr "이모티콘 선택기 열기"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr "피드 옵션 메뉴 열기"
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "링크를 인앱 브라우저로 열기"
@@ -2894,20 +2919,20 @@ msgstr "링크를 인앱 브라우저로 열기"
msgid "Open muted words and tags settings"
msgstr "뮤트한 단어 및 태그 설정 열기"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "내비게이션 열기"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr "게시물 옵션 메뉴 열기"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "스토리북 페이지 열기"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr "시스템 로그 열기"
@@ -2919,7 +2944,7 @@ msgstr "{numItems}번째 옵션을 엽니다"
msgid "Opens additional details for a debug entry"
msgstr "디버그 항목에 대한 추가 세부 정보를 엽니다"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "이 알림에서 확장된 사용자 목록을 엽니다"
@@ -2931,7 +2956,7 @@ msgstr "기기에서 카메라를 엽니다"
msgid "Opens composer"
msgstr "답글 작성 상자를 엽니다"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "구성 가능한 언어 설정을 엽니다"
@@ -2939,19 +2964,17 @@ msgstr "구성 가능한 언어 설정을 엽니다"
msgid "Opens device photo gallery"
msgstr "기기의 사진 갤러리를 엽니다"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "외부 임베드 설정을 엽니다"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr "새 Bluesky 계정을 만드는 플로를 엽니다"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr "존재하는 Bluesky 계정에 로그인하는 플로를 엽니다"
@@ -2959,23 +2982,23 @@ msgstr "존재하는 Bluesky 계정에 로그인하는 플로를 엽니다"
msgid "Opens list of invite codes"
msgstr "초대 코드 목록을 엽니다"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr "계정 삭제 확인을 위한 대화 상자를 엽니다. 이메일 코드가 필요합니다"
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr "Bluesky 비밀번호 변경을 위한 대화 상자를 엽니다"
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr "새로운 Bluesky 핸들을 선택하기 위한 대화 상자를 엽니다"
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr "Bluesky 계정 데이터(저장소)를 다운로드하기 위한 대화 상자를 엽니다"
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr "이메일 인증을 위한 대화 상자를 엽니다"
@@ -2983,7 +3006,7 @@ msgstr "이메일 인증을 위한 대화 상자를 엽니다"
msgid "Opens modal for using custom domain"
msgstr "사용자 지정 도메인을 사용하기 위한 대화 상자를 엽니다"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "검토 설정을 엽니다"
@@ -2991,20 +3014,20 @@ msgstr "검토 설정을 엽니다"
msgid "Opens password reset form"
msgstr "비밀번호 재설정 양식을 엽니다"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "저장된 피드를 편집할 수 있는 화면을 엽니다"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "모든 저장된 피드 화면을 엽니다"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr "비밀번호 설정을 엽니다"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr "팔로우 중 피드 설정을 엽니다"
@@ -3012,16 +3035,16 @@ msgstr "팔로우 중 피드 설정을 엽니다"
msgid "Opens the linked website"
msgstr "연결된 웹사이트를 엽니다"
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "스토리북 페이지를 엽니다"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "시스템 로그 페이지를 엽니다"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "스레드 설정을 엽니다"
@@ -3029,7 +3052,7 @@ msgstr "스레드 설정을 엽니다"
msgid "Option {0} of {numItems}"
msgstr "{numItems}개 중 {0}번째 옵션"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr "선택 사항으로 아래에 추가 정보를 입력하세요:"
@@ -3059,7 +3082,7 @@ msgid "Page Not Found"
msgstr "페이지를 찾을 수 없음"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3077,6 +3100,11 @@ msgstr "비밀번호 변경됨"
msgid "Password updated!"
msgstr "비밀번호 변경됨"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr "사람들"
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "@{0} 님이 팔로우한 사람들"
@@ -3101,16 +3129,16 @@ msgstr "반려동물"
msgid "Pictures meant for adults."
msgstr "성인용 사진."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "홈에 고정"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr "홈에 고정"
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "고정된 피드"
@@ -3183,10 +3211,6 @@ msgstr "정치"
msgid "Porn"
msgstr "음란물"
-#: src/lib/moderation/useGlobalLabelStrings.ts:34
-#~ msgid "Pornography"
-#~ msgstr "음란물"
-
#: src/view/com/composer/Composer.tsx:367
#: src/view/com/composer/Composer.tsx:375
msgctxt "action"
@@ -3208,7 +3232,7 @@ msgstr "{0} 님의 게시물"
msgid "Post by @{0}"
msgstr "@{0} 님의 게시물"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "게시물 삭제됨"
@@ -3243,7 +3267,8 @@ msgstr "게시물을 찾을 수 없음"
msgid "posts"
msgstr "게시물"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "게시물"
@@ -3259,13 +3284,13 @@ msgstr "게시물 숨겨짐"
msgid "Potentially Misleading Link"
msgstr "오해의 소지가 있는 링크"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr "호스팅 제공자를 변경하려면 누릅니다"
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr "눌러서 다시 시도하기"
@@ -3281,7 +3306,7 @@ msgstr "주 언어"
msgid "Prioritize Your Follows"
msgstr "내 팔로우 먼저 표시"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "개인정보"
@@ -3289,8 +3314,8 @@ msgstr "개인정보"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "개인정보 처리방침"
@@ -3299,15 +3324,15 @@ msgid "Processing..."
msgstr "처리 중…"
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr "프로필"
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "프로필"
@@ -3315,7 +3340,7 @@ msgstr "프로필"
msgid "Profile updated"
msgstr "프로필 업데이트됨"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "이메일을 인증하여 계정을 보호하세요."
@@ -3361,15 +3386,15 @@ msgstr "무작위"
msgid "Ratios"
msgstr "비율"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr "최근 검색"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "추천 피드"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "추천 사용자"
@@ -3386,7 +3411,7 @@ msgstr "제거"
msgid "Remove account"
msgstr "계정 제거"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr "아바타 제거"
@@ -3404,8 +3429,8 @@ msgstr "피드를 제거하시겠습니까?"
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "내 피드에서 제거"
@@ -3442,7 +3467,7 @@ msgstr "리스트에서 제거됨"
msgid "Removed from my feeds"
msgstr "내 피드에서 제거됨"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr "내 피드에서 제거됨"
@@ -3450,7 +3475,7 @@ msgstr "내 피드에서 제거됨"
msgid "Removes default thumbnail from {0}"
msgstr "{0}에서 기본 미리보기 이미지를 제거합니다"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "답글"
@@ -3467,8 +3492,8 @@ msgstr "답글"
msgid "Reply Filters"
msgstr "답글 필터"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "<0/> 님에게 보내는 답글"
@@ -3482,17 +3507,17 @@ msgstr "계정 신고"
msgid "Report dialog"
msgstr "신고 대화 상자"
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "피드 신고"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "리스트 신고"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "게시물 신고"
@@ -3537,15 +3562,19 @@ msgstr "재게시 또는 게시물 인용"
msgid "Reposted By"
msgstr "재게시한 사용자"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "{0} 님이 재게시함"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "<0/> 님이 재게시함"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "<0/> 님이 재게시함"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "님이 내 게시물을 재게시했습니다"
@@ -3563,7 +3592,7 @@ msgstr "변경 요청"
msgid "Request Code"
msgstr "코드 요청"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "게시하기 전 대체 텍스트 필수"
@@ -3579,8 +3608,8 @@ msgstr "재설정 코드"
msgid "Reset Code"
msgstr "재설정 코드"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "온보딩 상태 초기화"
@@ -3588,16 +3617,16 @@ msgstr "온보딩 상태 초기화"
msgid "Reset password"
msgstr "비밀번호 재설정"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "설정 상태 초기화"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "온보딩 상태 초기화"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "설정 상태 초기화"
@@ -3616,14 +3645,14 @@ msgstr "오류가 발생한 마지막 작업을 다시 시도합니다"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
msgstr "다시 시도"
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "이전 페이지로 돌아갑니다"
@@ -3669,12 +3698,12 @@ msgstr "핸들 변경 저장"
msgid "Save image crop"
msgstr "이미지 자르기 저장"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr "내 피드에 저장"
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "저장된 피드"
@@ -3682,7 +3711,7 @@ msgstr "저장된 피드"
msgid "Saved to your camera roll."
msgstr "내 앨범에 저장됨"
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr "내 피드에 저장됨"
@@ -3702,28 +3731,28 @@ msgstr "이미지 자르기 설정을 저장합니다"
msgid "Science"
msgstr "과학"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "맨 위로 스크롤"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "검색"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "\"{query}\"에 대한 검색 결과"
@@ -3762,13 +3791,18 @@ msgstr "<0>{displayTag}0> 게시물 보기"
msgid "See <0>{displayTag}0> posts by this user"
msgstr "이 사용자의 <0>{displayTag}0> 게시물 보기"
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "이 가이드"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "See what's next"
+#~ msgid "See what's next"
+#~ msgstr "See what's next"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -3798,7 +3832,7 @@ msgstr "{numItems}개 중 {i}번째 옵션을 선택합니다"
msgid "Select some accounts below to follow"
msgstr "아래에서 팔로우할 계정을 선택하세요"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr "신고할 검토 서비스를 선택하세요."
@@ -3822,7 +3856,7 @@ msgstr "구독하는 피드에 포함할 언어를 선택합니다. 선택하지
msgid "Select your app language for the default text to display in the app."
msgstr "앱에 표시되는 기본 텍스트 언어를 선택합니다."
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr "생년월일을 선택하세요"
@@ -3856,13 +3890,13 @@ msgctxt "action"
msgid "Send Email"
msgstr "이메일 보내기"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "피드백 보내기"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr "신고 보내기"
@@ -3914,23 +3948,23 @@ msgstr "계정 설정하기"
msgid "Sets Bluesky username"
msgstr "Bluesky 사용자 이름을 설정합니다"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr "색상 테마를 어두움으로 설정합니다"
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr "색상 테마를 밝음으로 설정합니다"
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr "색상 테마를 시스템 설정에 맞춥니다"
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr "어두운 테마를 완전히 어둡게 설정합니다"
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr "어두운 테마를 살짝 밝게 설정합니다"
@@ -3951,10 +3985,10 @@ msgid "Sets image aspect ratio to wide"
msgstr "이미지 비율을 가로로 길게 설정합니다"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "설정"
@@ -3973,38 +4007,38 @@ msgstr "공유"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "공유"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr "무시하고 공유"
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "피드 공유"
#: src/view/com/modals/LinkWarning.tsx:89
#: src/view/com/modals/LinkWarning.tsx:95
msgid "Share Link"
-msgstr ""
+msgstr "링크 공유"
#: src/view/com/modals/LinkWarning.tsx:92
msgid "Shares the linked website"
-msgstr ""
+msgstr "연결된 웹사이트를 공유합니다"
#: src/components/moderation/ContentHider.tsx:115
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "표시"
@@ -4026,17 +4060,13 @@ msgstr "배지 표시"
msgid "Show badge and filter from feeds"
msgstr "배지 표시 및 피드에서 필터링"
-#: src/view/com/modals/EmbedConsent.tsx:87
-#~ msgid "Show embeds from {0}"
-#~ msgstr "{0} 임베드 표시"
-
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:200
msgid "Show follows similar to {0}"
msgstr "{0} 님과 비슷한 팔로우 표시"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "더 보기"
@@ -4093,7 +4123,7 @@ msgstr "팔로우 중 피드에 재게시 표시"
msgid "Show the content"
msgstr "콘텐츠 표시"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "사용자 표시"
@@ -4109,33 +4139,27 @@ msgstr "경고 표시 및 피드에서 필터링"
msgid "Shows posts from {0} in your feed"
msgstr "피드에 {0} 님의 게시물을 표시합니다"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "로그인"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:82
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:118
-#~ msgid "Sign In"
-#~ msgstr "로그인"
-
#: src/components/AccountList.tsx:109
msgid "Sign in as {0}"
msgstr "{0}(으)로 로그인"
@@ -4144,24 +4168,32 @@ msgstr "{0}(으)로 로그인"
msgid "Sign in as..."
msgstr "로그인"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "로그아웃"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "가입하기"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "가입 또는 로그인하여 대화에 참여하세요"
@@ -4170,7 +4202,7 @@ msgstr "가입 또는 로그인하여 대화에 참여하세요"
msgid "Sign-in Required"
msgstr "로그인 필요"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "로그인한 계정"
@@ -4178,10 +4210,6 @@ msgstr "로그인한 계정"
msgid "Signed in as @{0}"
msgstr "@{0}(으)로 로그인했습니다"
-#: src/view/com/modals/SwitchAccount.tsx:71
-#~ msgid "Signs {0} out of Bluesky"
-#~ msgstr "Bluesky에서 {0}을(를) 로그아웃합니다"
-
#: src/screens/Onboarding/StepInterests/index.tsx:239
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:203
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:35
@@ -4198,11 +4226,11 @@ msgstr "소프트웨어 개발"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr "뭔가 잘못되었습니다. 다시 시도해 주세요."
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "죄송합니다. 세션이 만료되었습니다. 다시 로그인해 주세요."
@@ -4234,20 +4262,20 @@ msgstr "스포츠"
msgid "Square"
msgstr "정사각형"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "상태 페이지"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "스토리지가 지워졌으며 지금 앱을 다시 시작해야 합니다."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "스토리북"
@@ -4256,15 +4284,15 @@ msgstr "스토리북"
msgid "Submit"
msgstr "확인"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "구독"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr "이 라벨을 사용하려면 @{0} 님을 구독하세요:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr "라벨러 구독"
@@ -4273,15 +4301,15 @@ msgstr "라벨러 구독"
msgid "Subscribe to the {0} feed"
msgstr "{0} 피드 구독하기"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr "이 라벨러 구독하기"
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "이 리스트 구독하기"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "팔로우 추천"
@@ -4304,19 +4332,19 @@ msgstr "지원"
msgid "Switch Account"
msgstr "계정 전환"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "{0}(으)로 전환"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "로그인한 계정을 전환합니다"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "시스템"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "시스템 로그"
@@ -4346,9 +4374,9 @@ msgstr "이용약관"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "서비스 이용약관"
@@ -4366,7 +4394,7 @@ msgstr "글"
msgid "Text input field"
msgstr "텍스트 입력 필드"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr "감사합니다. 신고를 전송했습니다."
@@ -4374,11 +4402,11 @@ msgstr "감사합니다. 신고를 전송했습니다."
msgid "That contains the following:"
msgstr "텍스트 파일 내용:"
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "이 핸들은 이미 사용 중입니다."
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "차단을 해제하면 이 계정이 나와 상호작용할 수 있게 됩니다."
@@ -4428,8 +4456,8 @@ msgstr "서비스 이용약관을 다음으로 이동했습니다:"
msgid "There are many feeds to try:"
msgstr "시도해 볼 만한 피드:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "서버에 연결하는 동안 문제가 발생했습니다. 인터넷 연결을 확인한 후 다시 시도하세요."
@@ -4437,15 +4465,15 @@ msgstr "서버에 연결하는 동안 문제가 발생했습니다. 인터넷
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "이 피드를 삭제하는 동안 문제가 발생했습니다. 인터넷 연결을 확인한 후 다시 시도하세요."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "피드를 업데이트하는 동안 문제가 발생했습니다. 인터넷 연결을 확인한 후 다시 시도하세요."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "서버에 연결하는 동안 문제가 발생했습니다"
@@ -4468,12 +4496,12 @@ msgstr "게시물을 가져오는 동안 문제가 발생했습니다. 이곳을
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "리스트를 가져오는 동안 문제가 발생했습니다. 이곳을 탭하여 다시 시도하세요."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "리스트를 가져오는 동안 문제가 발생했습니다. 이곳을 탭하여 다시 시도하세요."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr "신고를 전송하는 동안 문제가 발생했습니다. 인터넷 연결을 확인해 주세요."
@@ -4499,10 +4527,10 @@ msgstr "앱 비밀번호를 가져오는 동안 문제가 발생했습니다"
msgid "There was an issue! {0}"
msgstr "문제가 발생했습니다! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "문제가 발생했습니다. 인터넷 연결을 확인한 후 다시 시도하세요."
@@ -4559,9 +4587,9 @@ msgstr "이 기능은 베타 버전입니다. 저장소 내보내기에 대한
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "이 피드는 현재 트래픽이 많아 일시적으로 사용할 수 없습니다. 나중에 다시 시도해 주세요."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "이 피드는 비어 있습니다."
@@ -4581,7 +4609,7 @@ msgstr "이는 이메일을 변경하거나 비밀번호를 재설정해야 할
msgid "This label was applied by {0}."
msgstr "이 라벨은 {0}이(가) 적용했습니다."
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr "이 라벨러는 라벨을 게시하지 않았으며 활성화되어 있지 않을 수 있습니다."
@@ -4589,7 +4617,7 @@ msgstr "이 라벨러는 라벨을 게시하지 않았으며 활성화되어 있
msgid "This link is taking you to the following website:"
msgstr "이 링크를 클릭하면 다음 웹사이트로 이동합니다:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "이 리스트는 비어 있습니다."
@@ -4605,12 +4633,12 @@ msgstr "이 이름은 이미 사용 중입니다"
msgid "This post has been deleted."
msgstr "이 게시물은 삭제되었습니다."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr "이 게시물은 로그인한 사용자에게만 표시됩니다. 로그인하지 않은 사용자에게는 표시되지 않습니다."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr "이 게시물을 피드에서 숨깁니다."
@@ -4659,12 +4687,12 @@ msgstr "이 경고는 미디어가 첨부된 게시물에만 사용할 수 있
msgid "This will delete {0} from your muted words. You can always add it back later."
msgstr "뮤트한 단어에서 {0}이(가) 삭제됩니다. 나중에 언제든지 다시 추가할 수 있습니다."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr "스레드 설정"
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "스레드 설정"
@@ -4692,14 +4720,18 @@ msgstr "드롭다운 열기 및 닫기"
msgid "Toggle to enable or disable adult content"
msgstr "성인 콘텐츠 활성화 또는 비활성화 전환"
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr "인기"
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "변형"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "번역"
@@ -4712,11 +4744,11 @@ msgstr "다시 시도"
msgid "Type:"
msgstr "유형:"
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "리스트 차단 해제"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "리스트 언뮤트"
@@ -4724,15 +4756,15 @@ msgstr "리스트 언뮤트"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "서비스에 연결할 수 없습니다. 인터넷 연결을 확인하세요."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "차단 해제"
@@ -4746,7 +4778,7 @@ msgstr "차단 해제"
msgid "Unblock Account"
msgstr "계정 차단 해제"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr "계정을 차단 해제하시겠습니까?"
@@ -4759,7 +4791,7 @@ msgid "Undo repost"
msgstr "재게시 취소"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr "언팔로우"
@@ -4777,16 +4809,16 @@ msgstr "{0} 님을 언팔로우"
msgid "Unfollow Account"
msgstr "계정 언팔로우"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "좋아요 취소"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr "이 피드 좋아요 취소"
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "언뮤트"
@@ -4803,29 +4835,29 @@ msgstr "계정 언뮤트"
msgid "Unmute all {displayTag} posts"
msgstr "모든 {tag} 게시물 언뮤트"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "스레드 언뮤트"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "고정 해제"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr "홈에서 고정 해제"
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "검토 리스트 고정 해제"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr "구독 취소"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr "이 라벨러 구독 취소하기"
@@ -4849,20 +4881,20 @@ msgstr "업데이트 중…"
msgid "Upload a text file to:"
msgstr "텍스트 파일 업로드 경로:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr "카메라에서 업로드"
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr "파일에서 업로드"
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -4932,13 +4964,13 @@ msgstr "나를 차단한 사용자"
msgid "User list by {0}"
msgstr "{0} 님의 사용자 리스트"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "<0/> 님의 사용자 리스트"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "내 사용자 리스트"
@@ -4958,7 +4990,9 @@ msgstr "사용자 리스트"
msgid "Username or email address"
msgstr "사용자 이름 또는 이메일 주소"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "사용자"
@@ -4982,15 +5016,15 @@ msgstr "값:"
msgid "Verify {0}"
msgstr "{0} 확인"
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "이메일 인증"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "내 이메일 인증하기"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "내 이메일 인증하기"
@@ -5003,7 +5037,7 @@ msgstr "새 이메일 인증"
msgid "Verify Your Email"
msgstr "이메일 인증하기"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr "버전 {0}"
@@ -5019,11 +5053,11 @@ msgstr "{0} 님의 아바타를 봅니다"
msgid "View debug entry"
msgstr "디버그 항목 보기"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr "세부 정보 보기"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr "저작권 위반 신고에 대한 세부 정보 보기"
@@ -5035,6 +5069,8 @@ msgstr "전체 스레드 보기"
msgid "View information about these labels"
msgstr "이 라벨에 대한 정보 보기"
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "프로필 보기"
@@ -5047,7 +5083,7 @@ msgstr "아바타 보기"
msgid "View the labeling service provided by @{0}"
msgstr "{0} 님이 제공하는 라벨링 서비스 보기"
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr "이 피드를 좋아하는 사용자 보기"
@@ -5071,10 +5107,6 @@ msgstr "콘텐츠 경고"
msgid "Warn content and filter from feeds"
msgstr "콘텐츠 경고 및 피드에서 필터링"
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:140
-#~ msgid "We also think you'll like \"For You\" by Skygaze:"
-#~ msgstr "Skygaze의 \"For You\"를 사용해 볼 수도 있습니다:"
-
#: src/screens/Hashtag.tsx:133
msgid "We couldn't find any results for that hashtag."
msgstr "해당 해시태그에 대한 결과를 찾을 수 없습니다."
@@ -5119,11 +5151,11 @@ msgstr "계정이 준비되면 알려드리겠습니다."
msgid "We'll use this to help customize your experience."
msgstr "이를 통해 사용자 환경을 맞춤 설정할 수 있습니다."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "함께하게 되어 정말 기뻐요!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "죄송하지만 이 리스트를 불러올 수 없습니다. 이 문제가 계속되면 리스트 작성자인 @{handleOrDid}에게 문의하세요."
@@ -5131,7 +5163,7 @@ msgstr "죄송하지만 이 리스트를 불러올 수 없습니다. 이 문제
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "죄송하지만 현재 뮤트한 단어를 불러올 수 없습니다. 다시 시도해 주세요."
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "죄송하지만 검색을 완료할 수 없습니다. 몇 분 후에 다시 시도해 주세요."
@@ -5140,7 +5172,7 @@ msgstr "죄송하지만 검색을 완료할 수 없습니다. 몇 분 후에 다
msgid "We're sorry! We can't find the page you were looking for."
msgstr "죄송합니다. 페이지를 찾을 수 없습니다."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr "죄송합니다. 라벨러는 10개까지만 구독할 수 있으며 10개에 도달했습니다."
@@ -5152,8 +5184,8 @@ msgstr "<0>Bluesky0>에 오신 것을 환영합니다"
msgid "What are your interests?"
msgstr "어떤 관심사가 있으신가요?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "무슨 일이 일어나고 있나요?"
@@ -5248,15 +5280,15 @@ msgstr "팔로워가 없습니다."
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "아직 초대 코드가 없습니다! Bluesky를 좀 더 오래 사용하신 후에 보내드리겠습니다."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "고정된 피드가 없습니다."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "저장된 피드가 없습니다!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "저장된 피드가 없습니다."
@@ -5294,16 +5326,16 @@ msgstr "내가 이 계정을 뮤트했습니다."
msgid "You have muted this user"
msgstr "내가 이 사용자를 뮤트했습니다"
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "피드가 없습니다."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "리스트가 없습니다."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr "아직 어떤 계정도 차단하지 않았습니다. 계정을 차단하려면 해당 계정의 프로필로 이동하여 계정 메뉴에서 \"계정 차단\"을 선택하세요."
@@ -5311,7 +5343,7 @@ msgstr "아직 어떤 계정도 차단하지 않았습니다. 계정을 차단
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "아직 앱 비밀번호를 생성하지 않았습니다. 아래 버튼을 눌러 생성할 수 있습니다."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr "아직 어떤 계정도 뮤트하지 않았습니다. 계정을 뮤트하려면 해당 계정의 프로필로 이동하여 계정 메뉴에서 \"계정 뮤트\"를 선택하세요."
@@ -5331,15 +5363,15 @@ msgstr "가입하려면 만 13세 이상이어야 합니다."
msgid "You must be 18 years or older to enable adult content"
msgstr "성인 콘텐츠를 사용하려면 만 18세 이상이어야 합니다."
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr "신고하려면 하나 이상의 라벨을 선택해야 합니다."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "이 스레드에 대한 알림을 더 이상 받지 않습니다"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "이제 이 스레드에 대한 알림을 받습니다"
@@ -5370,7 +5402,7 @@ msgstr "이 글에서 단어 또는 태그를 숨기도록 설정했습니다."
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "피드 끝에 도달했습니다! 팔로우할 계정을 더 찾아보세요."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "내 계정"
@@ -5382,7 +5414,7 @@ msgstr "계정을 삭제했습니다"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "모든 공개 데이터 레코드가 포함된 계정 저장소를 \"CAR\" 파일로 다운로드할 수 있습니다. 이 파일에는 이미지와 같은 미디어 임베드나 별도로 가져와야 하는 비공개 데이터는 포함되지 않습니다."
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "생년월일"
@@ -5412,7 +5444,7 @@ msgstr "이메일이 아직 인증되지 않았습니다. 이는 중요한 보
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "팔로우 중 피드가 비어 있습니다! 더 많은 사용자를 팔로우하여 무슨 일이 일어나고 있는지 확인하세요."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "내 전체 핸들:"
@@ -5438,7 +5470,7 @@ msgstr "게시물을 게시했습니다"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "게시물, 좋아요, 차단 목록은 공개됩니다. 뮤트 목록은 공개되지 않습니다."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "내 프로필"
@@ -5446,6 +5478,6 @@ msgstr "내 프로필"
msgid "Your reply has been published"
msgstr "내 답글을 게시했습니다"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "내 사용자 핸들"
diff --git a/src/locale/locales/pt-BR/messages.po b/src/locale/locales/pt-BR/messages.po
index 6fcc18894a..e7d3b65266 100644
--- a/src/locale/locales/pt-BR/messages.po
+++ b/src/locale/locales/pt-BR/messages.po
@@ -8,7 +8,7 @@ msgstr ""
"Language: pt-BR\n"
"Project-Id-Version: \n"
"Report-Msgid-Bugs-To: \n"
-"PO-Revision-Date: 2024-03-22 11:51\n"
+"PO-Revision-Date: 2024-04-10 18:15\n"
"Last-Translator: gildaswise\n"
"Language-Team: maisondasilva, MightyLoggor, gildaswise, gleydson, faeriarum\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
@@ -17,11 +17,12 @@ msgstr ""
msgid "(no email)"
msgstr "(sem email)"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} seguindo"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} não lidas"
@@ -33,15 +34,20 @@ msgstr "<0/> membros"
msgid "<0>{0}0> following"
msgstr "<0>{0}0> seguindo"
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>seguindo1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Escolha seus0><2>Feeds2><1>recomendados1>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Siga alguns0><2>Usuários2><1>recomendados1>"
@@ -49,29 +55,21 @@ msgstr "<0>Siga alguns0><2>Usuários2><1>recomendados1>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Bem-vindo ao0><1>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Usuário Inválido"
-#: src/view/com/util/moderation/LabelInfo.tsx:45
-#~ msgid "A content warning has been applied to this {0}."
-#~ msgstr "Um aviso de conteúdo foi aplicado a este {0}."
-
-#: src/lib/hooks/useOTAUpdate.ts:16
-#~ msgid "A new version of the app is available. Please update to continue using the app."
-#~ msgstr "Uma nova versão do aplicativo está disponível. Por favor, atualize para continuar usando o aplicativo."
-
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Acessar links de navegação e configurações"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Acessar perfil e outros links de navegação"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Acessibilidade"
@@ -80,8 +78,8 @@ msgid "account"
msgstr "conta"
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Conta"
@@ -131,7 +129,7 @@ msgstr "Conta dessilenciada"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Adicionar"
@@ -139,13 +137,13 @@ msgstr "Adicionar"
msgid "Add a content warning"
msgstr "Adicionar um aviso de conteúdo"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Adicionar um usuário a esta lista"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Adicionar conta"
@@ -161,15 +159,6 @@ msgstr "Adicionar texto alternativo"
msgid "Add App Password"
msgstr "Adicionar Senha de Aplicativo"
-#: src/view/com/modals/report/InputIssueDetails.tsx:41
-#: src/view/com/modals/report/Modal.tsx:191
-#~ msgid "Add details"
-#~ msgstr "Adicionar detalhes"
-
-#: src/view/com/modals/report/Modal.tsx:194
-#~ msgid "Add details to report"
-#~ msgstr "Adicionar detalhes à denúncia"
-
#: src/view/com/composer/Composer.tsx:467
msgid "Add link card"
msgstr "Adicionar prévia de link"
@@ -222,20 +211,16 @@ msgstr "Ajuste o número de curtidas para que uma resposta apareça no seu feed.
msgid "Adult Content"
msgstr "Conteúdo Adulto"
-#: src/view/com/modals/ContentFilteringSettings.tsx:141
-#~ msgid "Adult content can only be enabled via the Web at <0/>."
-#~ msgstr "Conteúdo adulto só pode ser habilitado no site: <0/>."
-
#: src/components/moderation/LabelPreference.tsx:242
msgid "Adult content is disabled."
msgstr "O conteúdo adulto está desabilitado."
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Avançado"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "Todos os feeds que você salvou, em um único lugar."
@@ -272,6 +257,8 @@ msgstr "Um email foi enviado para seu email anterior, {0}. Ele inclui um código
msgid "An issue not included in these options"
msgstr "Outro problema"
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -279,7 +266,7 @@ msgstr "Outro problema"
msgid "An issue occurred, please try again."
msgstr "Ocorreu um problema, por favor tente novamente."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "e"
@@ -308,17 +295,13 @@ msgstr "O nome da Senha de Aplicativo só pode conter letras, números, traços
msgid "App Password names must be at least 4 characters long."
msgstr "O nome da Senha de Aplicativo precisa ter no mínimo 4 caracteres."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "Configurações de Senha de Aplicativo"
-#: src/view/screens/Settings.tsx:650
-#~ msgid "App passwords"
-#~ msgstr "Senhas de aplicativos"
-
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Senhas de Aplicativos"
@@ -331,28 +314,11 @@ msgstr "Contestar"
msgid "Appeal \"{0}\" label"
msgstr "Contestar rótulo \"{0}\""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:337
-#: src/view/com/util/forms/PostDropdownBtn.tsx:346
-#~ msgid "Appeal content warning"
-#~ msgstr "Contestar aviso de conteúdo"
-
-#: src/view/com/modals/AppealLabel.tsx:65
-#~ msgid "Appeal Content Warning"
-#~ msgstr "Contestar aviso de conteúdo"
-
#: src/components/moderation/LabelsOnMeDialog.tsx:192
msgid "Appeal submitted."
msgstr "Contestação enviada."
-#: src/view/com/util/moderation/LabelInfo.tsx:52
-#~ msgid "Appeal this decision"
-#~ msgstr "Contestar esta decisão"
-
-#: src/view/com/util/moderation/LabelInfo.tsx:56
-#~ msgid "Appeal this decision."
-#~ msgstr "Contestar esta decisão."
-
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Aparência"
@@ -372,10 +338,6 @@ msgstr "Tem certeza que deseja descartar este rascunho?"
msgid "Are you sure?"
msgstr "Tem certeza?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:322
-#~ msgid "Are you sure? This cannot be undone."
-#~ msgstr "Tem certeza? Esta ação não poderá ser desfeita."
-
#: src/view/com/composer/select-language/SuggestedLanguage.tsx:60
msgid "Are you writing in <0>{0}0>?"
msgstr "Você está escrevendo em <0>{0}0>?"
@@ -388,9 +350,9 @@ msgstr "Arte"
msgid "Artistic or non-erotic nudity."
msgstr "Nudez artística ou não erótica."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
-msgstr ""
+msgstr "No mínimo 3 caracteres"
#: src/components/moderation/LabelsOnMeDialog.tsx:246
#: src/components/moderation/LabelsOnMeDialog.tsx:247
@@ -403,21 +365,16 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Voltar"
-#: src/view/com/post-thread/PostThread.tsx:480
-#~ msgctxt "action"
-#~ msgid "Back"
-#~ msgstr "Voltar"
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:144
msgid "Based on your interest in {interestsText}"
msgstr "Com base no seu interesse em {interestsText}"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Básicos"
@@ -425,11 +382,11 @@ msgstr "Básicos"
msgid "Birthday"
msgstr "Aniversário"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Aniversário:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr "Bloquear"
@@ -443,25 +400,21 @@ msgstr "Bloquear Conta"
msgid "Block Account?"
msgstr "Bloquear Conta?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Bloquear contas"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Lista de bloqueio"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "Bloquear estas contas?"
-#: src/view/screens/ProfileList.tsx:320
-#~ msgid "Block this List"
-#~ msgstr "Bloquear esta Lista"
-
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Bloqueado"
@@ -470,7 +423,7 @@ msgid "Blocked accounts"
msgstr "Contas bloqueadas"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Contas Bloqueadas"
@@ -478,7 +431,7 @@ msgstr "Contas Bloqueadas"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Contas bloqueadas não podem te responder, mencionar ou interagir com você."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Contas bloqueadas não podem te responder, mencionar ou interagir com você. Você não verá o conteúdo deles e eles serão impedidos de ver o seu."
@@ -486,11 +439,11 @@ msgstr "Contas bloqueadas não podem te responder, mencionar ou interagir com vo
msgid "Blocked post."
msgstr "Post bloqueado."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr "Bloquear não previne este rotulador de rotular a sua conta."
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Bloqueios são públicos. Contas bloqueadas não podem te responder, mencionar ou interagir com você."
@@ -498,12 +451,10 @@ msgstr "Bloqueios são públicos. Contas bloqueadas não podem te responder, men
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr "Bloquear não previne rótulos de serem aplicados na sua conta, mas vai impedir esta conta de interagir com você."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blog"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -528,10 +479,6 @@ msgstr "Bluesky é aberto."
msgid "Bluesky is public."
msgstr "Bluesky é público."
-#: src/view/com/modals/Waitlist.tsx:70
-#~ msgid "Bluesky uses invites to build a healthier community. If you don't know anybody with an invite, you can sign up for the waitlist and we'll send one soon."
-#~ msgstr "O Bluesky usa convites para criar uma comunidade mais saudável. Se você não conhece ninguém que tenha um convite, inscreva-se na lista de espera e em breve enviaremos um para você."
-
#: src/screens/Moderation/index.tsx:533
msgid "Bluesky will not show your profile and posts to logged-out users. Other apps may not honor this request. This does not make your account private."
msgstr "O Bluesky não mostrará seu perfil e publicações para usuários desconectados. Outros aplicativos podem não honrar esta solicitação. Isso não torna a sua conta privada."
@@ -548,12 +495,7 @@ msgstr "Desfocar imagens e filtrar dos feeds"
msgid "Books"
msgstr "Livros"
-#: src/view/screens/Settings/index.tsx:893
-#~ msgid "Build version {0} {1}"
-#~ msgstr "Versão {0} {1}"
-
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Empresarial"
@@ -611,7 +553,7 @@ msgstr "Só pode conter letras, números, espaços, traços e sublinhados. Deve
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Cancelar"
@@ -649,10 +591,6 @@ msgstr "Cancelar citação"
msgid "Cancel search"
msgstr "Cancelar busca"
-#: src/view/com/modals/Waitlist.tsx:136
-#~ msgid "Cancel waitlist signup"
-#~ msgstr "Cancelar inscrição na lista de espera"
-
#: src/view/com/modals/LinkWarning.tsx:106
msgid "Cancels opening the linked website"
msgstr "Cancela a abertura do link"
@@ -661,17 +599,17 @@ msgstr "Cancela a abertura do link"
msgid "Change"
msgstr "Trocar"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Alterar"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Alterar usuário"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Alterar Usuário"
@@ -679,12 +617,12 @@ msgstr "Alterar Usuário"
msgid "Change my email"
msgstr "Alterar meu email"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Alterar senha"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Alterar Senha"
@@ -692,10 +630,6 @@ msgstr "Alterar Senha"
msgid "Change post language to {0}"
msgstr "Trocar idioma do post para {0}"
-#: src/view/screens/Settings/index.tsx:733
-#~ msgid "Change your Bluesky password"
-#~ msgstr "Alterar sua senha do Bluesky"
-
#: src/view/com/modals/ChangeEmail.tsx:109
msgid "Change Your Email"
msgstr "Altere o Seu Email"
@@ -705,11 +639,11 @@ msgstr "Altere o Seu Email"
msgid "Check my status"
msgstr "Verificar minha situação"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Confira alguns feeds recomendados. Toque em + para adicioná-los à sua lista de feeds fixados."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Confira alguns usuários recomendados. Siga-os para ver usuários semelhantes."
@@ -721,10 +655,6 @@ msgstr "Verifique em sua caixa de entrada um e-mail com o código de confirmaç
msgid "Choose \"Everybody\" or \"Nobody\""
msgstr "Escolha \"Todos\" ou \"Ninguém\""
-#: src/view/screens/Settings/index.tsx:697
-#~ msgid "Choose a new Bluesky username or create"
-#~ msgstr "Crie ou escolha um novo usuário no Bluesky"
-
#: src/view/com/auth/server-input/index.tsx:79
msgid "Choose Service"
msgstr "Escolher Serviço"
@@ -742,36 +672,36 @@ msgstr "Escolha os algoritmos que fazem sentido para você com os feeds personal
msgid "Choose your main feeds"
msgstr "Escolha seus feeds principais"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Escolha sua senha"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Limpar todos os dados de armazenamento legados"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Limpar todos os dados de armazenamento legados (reinicie em seguida)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Limpar todos os dados de armazenamento"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Limpar todos os dados de armazenamento (reinicie em seguida)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Limpar busca"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr "Limpa todos os dados antigos"
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr "Limpa todos os dados antigos"
@@ -783,7 +713,7 @@ msgstr "clique aqui"
msgid "Click here to open tag menu for {tag}"
msgstr "Clique aqui para abrir o menu da tag {tag}"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "Clique aqui para abrir o menu da tag #{tag}"
@@ -817,7 +747,7 @@ msgstr "Fechar imagem"
msgid "Close image viewer"
msgstr "Fechar visualizador de imagens"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Fechar o painel de navegação"
@@ -826,7 +756,7 @@ msgstr "Fechar o painel de navegação"
msgid "Close this dialog"
msgstr "Fechar esta janela"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Fecha barra de navegação inferior"
@@ -842,7 +772,7 @@ msgstr "Fecha o editor de post e descarta o rascunho"
msgid "Closes viewer for header image"
msgstr "Fechar o visualizador de banner"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Fecha lista de usuários da notificação"
@@ -863,7 +793,7 @@ msgstr "Diretrizes da Comunidade"
msgid "Complete onboarding and start using your account"
msgstr "Completar e começar a usar sua conta"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "Complete o captcha"
@@ -881,7 +811,7 @@ msgstr "Configure o filtro de conteúdo por categoria: {0}"
#: src/components/moderation/LabelPreference.tsx:81
msgid "Configure content filtering setting for category: {name}"
-msgstr ""
+msgstr "Configure o filtro de conteúdo por categoria: {name}"
#: src/components/moderation/LabelPreference.tsx:244
msgid "Configured in <0>moderation settings0>."
@@ -897,12 +827,6 @@ msgstr "Configure no <0>painel de moderação0>."
msgid "Confirm"
msgstr "Confirmar"
-#: src/view/com/modals/Confirm.tsx:75
-#: src/view/com/modals/Confirm.tsx:78
-#~ msgctxt "action"
-#~ msgid "Confirm"
-#~ msgstr "Confirmar"
-
#: src/view/com/modals/ChangeEmail.tsx:193
#: src/view/com/modals/ChangeEmail.tsx:195
msgid "Confirm Change"
@@ -916,10 +840,6 @@ msgstr "Confirmar configurações de idioma de conteúdo"
msgid "Confirm delete account"
msgstr "Confirmar a exclusão da conta"
-#: src/view/com/modals/ContentFilteringSettings.tsx:156
-#~ msgid "Confirm your age to enable adult content."
-#~ msgstr "Confirme sua idade para habilitar conteúdo adulto."
-
#: src/screens/Moderation/index.tsx:301
msgid "Confirm your age:"
msgstr "Confirme sua idade:"
@@ -935,15 +855,11 @@ msgstr "Confirme sua data de nascimento"
msgid "Confirmation code"
msgstr "Código de confirmação"
-#: src/view/com/modals/Waitlist.tsx:120
-#~ msgid "Confirms signing up {email} to the waitlist"
-#~ msgstr "Confirma adição de {email} à lista de espera"
-
#: src/screens/Login/LoginForm.tsx:248
msgid "Connecting..."
msgstr "Conectando..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Contatar suporte"
@@ -955,14 +871,6 @@ msgstr "conteúdo"
msgid "Content Blocked"
msgstr "Conteúdo bloqueado"
-#: src/view/screens/Moderation.tsx:83
-#~ msgid "Content filtering"
-#~ msgstr "Filtragem do conteúdo"
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:44
-#~ msgid "Content Filtering"
-#~ msgstr "Filtragem do Conteúdo"
-
#: src/screens/Moderation/index.tsx:285
msgid "Content filters"
msgstr "Filtros de conteúdo"
@@ -997,21 +905,21 @@ msgstr "Fundo do menu, clique para fechá-lo."
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Continuar"
#: src/components/AccountList.tsx:108
msgid "Continue as {0} (currently signed in)"
-msgstr ""
+msgstr "Continuar como {0} (já conectado)"
#: src/screens/Onboarding/StepFollowingFeed.tsx:151
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Continuar para o próximo passo"
@@ -1032,17 +940,21 @@ msgstr "Culinária"
msgid "Copied"
msgstr "Copiado"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Versão do aplicativo copiada"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "Copiado"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Copia senha de aplicativo"
@@ -1055,21 +967,22 @@ msgstr "Copiar"
msgid "Copy {0}"
msgstr "Copiar {0}"
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Copiar link da lista"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Copiar link do post"
-#: src/view/com/profile/ProfileHeader.tsx:295
-#~ msgid "Copy link to profile"
-#~ msgstr "Copiar link do perfil"
-
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Copiar texto do post"
@@ -1082,35 +995,38 @@ msgstr "Política de Direitos Autorais"
msgid "Could not load feed"
msgstr "Não foi possível carregar o feed"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "Não foi possível carregar a lista"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Criar uma nova conta"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Criar uma nova conta do Bluesky"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Criar Conta"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "Criar Senha de Aplicativo"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Criar uma nova conta"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr "Criar denúncia para {0}"
@@ -1118,14 +1034,6 @@ msgstr "Criar denúncia para {0}"
msgid "Created {0}"
msgstr "{0} criada"
-#: src/view/screens/ProfileFeed.tsx:616
-#~ msgid "Created by <0/>"
-#~ msgstr "Criado por <0/>"
-
-#: src/view/screens/ProfileFeed.tsx:614
-#~ msgid "Created by you"
-#~ msgstr "Criado por você"
-
#: src/view/com/composer/Composer.tsx:469
msgid "Creates a card with a thumbnail. The card links to {url}"
msgstr "Cria uma prévia com miniatura. A prévia faz um link para {url}"
@@ -1144,7 +1052,7 @@ msgid "Custom domain"
msgstr "Domínio personalizado"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "Feeds customizados feitos pela comunidade te proporcionam novas experiências e te ajudam a encontrar o conteúdo que você mais ama."
@@ -1152,8 +1060,8 @@ msgstr "Feeds customizados feitos pela comunidade te proporcionam novas experiê
msgid "Customize media from external sites."
msgstr "Configurar mídia de sites externos."
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Escuro"
@@ -1161,15 +1069,15 @@ msgstr "Escuro"
msgid "Dark mode"
msgstr "Modo escuro"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Modo Escuro"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
-msgstr ""
+msgstr "Data de nascimento"
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr "Testar Moderação"
@@ -1177,13 +1085,13 @@ msgstr "Testar Moderação"
msgid "Debug panel"
msgstr "Painel de depuração"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr "Excluir"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Excluir a conta"
@@ -1199,7 +1107,7 @@ msgstr "Excluir senha de aplicativo"
msgid "Delete app password?"
msgstr "Excluir senha de aplicativo?"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Excluir Lista"
@@ -1207,24 +1115,24 @@ msgstr "Excluir Lista"
msgid "Delete my account"
msgstr "Excluir minha conta"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Excluir minha conta…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Excluir post"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr "Excluir esta lista?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "Excluir este post?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Excluído"
@@ -1239,18 +1147,22 @@ msgstr "Post excluído."
msgid "Description"
msgstr "Descrição"
-#: src/view/screens/Settings.tsx:760
-#~ msgid "Developer Tools"
-#~ msgstr "Ferramentas de Desenvolvedor"
-
#: src/view/com/composer/Composer.tsx:218
msgid "Did you want to say anything?"
msgstr "Você gostaria de dizer alguma coisa?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Menos escuro"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1262,10 +1174,6 @@ msgstr "Desabilitado"
msgid "Discard"
msgstr "Descartar"
-#: src/view/com/composer/Composer.tsx:145
-#~ msgid "Discard draft"
-#~ msgstr "Descartar rascunho"
-
#: src/view/com/composer/Composer.tsx:508
msgid "Discard draft?"
msgstr "Descartar rascunho?"
@@ -1280,7 +1188,7 @@ msgstr "Desencorajar aplicativos a mostrar minha conta para usuários desautenti
msgid "Discover new custom feeds"
msgstr "Descubra novos feeds"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "Descubra Novos Feeds"
@@ -1300,9 +1208,9 @@ msgstr "Painel DNS"
msgid "Does not include nudity."
msgstr "Não inclui nudez."
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
-msgstr ""
+msgstr "Não começa ou termina com um hífen"
#: src/view/com/modals/ChangeHandle.tsx:481
msgid "Domain Value"
@@ -1312,10 +1220,6 @@ msgstr "Domínio"
msgid "Domain verified!"
msgstr "Domínio verificado!"
-#: src/view/com/auth/create/Step1.tsx:170
-#~ msgid "Don't have an invite code?"
-#~ msgstr "Não possui um convite?"
-
#: src/components/dialogs/BirthDateSettings.tsx:119
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/components/forms/DateField/index.tsx:74
@@ -1334,7 +1238,7 @@ msgstr "Domínio verificado!"
msgid "Done"
msgstr "Feito"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1351,14 +1255,6 @@ msgstr "Feito"
msgid "Done{extraText}"
msgstr "Feito{extraText}"
-#: src/view/com/auth/login/ChooseAccountForm.tsx:46
-#~ msgid "Double tap to sign in"
-#~ msgstr "Toque duas vezes para logar"
-
-#: src/view/screens/Settings/index.tsx:755
-#~ msgid "Download Bluesky account data (repository)"
-#~ msgstr "Baixar os dados da minha conta Bluesky (repositório)"
-
#: src/view/screens/Settings/ExportCarDialog.tsx:59
#: src/view/screens/Settings/ExportCarDialog.tsx:63
msgid "Download CAR file"
@@ -1417,7 +1313,7 @@ msgctxt "action"
msgid "Edit"
msgstr "Editar"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr "Editar avatar"
@@ -1427,7 +1323,7 @@ msgstr "Editar avatar"
msgid "Edit image"
msgstr "Editar imagem"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Editar detalhes da lista"
@@ -1436,8 +1332,8 @@ msgid "Edit Moderation List"
msgstr "Editar lista de moderação"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Editar Meus Feeds"
@@ -1445,18 +1341,18 @@ msgstr "Editar Meus Feeds"
msgid "Edit my profile"
msgstr "Editar meu perfil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Editar perfil"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Editar Perfil"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Editar Feeds Salvos"
@@ -1498,10 +1394,24 @@ msgstr "E-mail Atualizado"
msgid "Email verified"
msgstr "E-mail verificado"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "E-mail:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Habilitar somente {0}"
@@ -1522,11 +1432,7 @@ msgstr "Habilitar conteúdo adulto nos feeds"
#: src/components/dialogs/EmbedConsent.tsx:82
#: src/components/dialogs/EmbedConsent.tsx:89
msgid "Enable external media"
-msgstr ""
-
-#: src/view/com/modals/EmbedConsent.tsx:97
-#~ msgid "Enable External Media"
-#~ msgstr "Habilitar Mídia Externa"
+msgstr "Habilitar mídia externa"
#: src/view/screens/PreferencesExternalEmbeds.tsx:75
msgid "Enable media players for"
@@ -1538,13 +1444,13 @@ msgstr "Ative esta configuração para ver respostas apenas entre as pessoas que
#: src/components/dialogs/EmbedConsent.tsx:94
msgid "Enable this source only"
-msgstr ""
+msgstr "Habilitar mídia somente para este site"
#: src/screens/Moderation/index.tsx:339
msgid "Enabled"
msgstr "Habilitado"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Fim do feed"
@@ -1554,7 +1460,7 @@ msgstr "Insira um nome para esta Senha de Aplicativo"
#: src/screens/Login/SetNewPasswordForm.tsx:139
msgid "Enter a password"
-msgstr ""
+msgstr "Insira uma senha"
#: src/components/dialogs/MutedWords.tsx:99
#: src/components/dialogs/MutedWords.tsx:100
@@ -1581,12 +1487,8 @@ msgstr "Digite o e-mail que você usou para criar a sua conta. Nós lhe enviarem
msgid "Enter your birth date"
msgstr "Insira seu aniversário"
-#: src/view/com/modals/Waitlist.tsx:78
-#~ msgid "Enter your email"
-#~ msgstr "Digite seu e-mail"
-
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Digite seu endereço de e-mail"
@@ -1606,7 +1508,7 @@ msgstr "Digite seu nome de usuário e senha"
msgid "Error receiving captcha response."
msgstr "Não foi possível processar o captcha."
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Erro:"
@@ -1639,16 +1541,12 @@ msgstr "Sair do visualizador de imagem"
msgid "Exits inputting search query"
msgstr "Sair da busca"
-#: src/view/com/modals/Waitlist.tsx:138
-#~ msgid "Exits signing up for waitlist with {email}"
-#~ msgstr "Desistir de entrar na lista de espera"
-
#: src/view/com/lightbox/Lightbox.web.tsx:183
msgid "Expand alt text"
msgstr "Expandir texto alternativo"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Mostrar ou esconder o post a que você está respondendo"
@@ -1660,12 +1558,12 @@ msgstr "Imagens explícitas ou potencialmente perturbadoras."
msgid "Explicit sexual images."
msgstr "Imagens sexualmente explícitas."
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "Exportar meus dados"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "Exportar Meus Dados"
@@ -1681,11 +1579,11 @@ msgstr "Mídias externas podem permitir que sites coletem informações sobre vo
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Preferências de Mídia Externa"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Preferências de mídia externa"
@@ -1698,12 +1596,12 @@ msgstr "Não foi possível criar senha de aplicativo."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "Não foi possível criar a lista. Por favor tente novamente."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "Não foi possível excluir o post, por favor tente novamente."
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Falha ao carregar feeds recomendados"
@@ -1719,35 +1617,31 @@ msgstr "Feed"
msgid "Feed by {0}"
msgstr "Feed por {0}"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Feed offline"
-#: src/view/com/feeds/FeedPage.tsx:143
-#~ msgid "Feed Preferences"
-#~ msgstr "Preferências de Feeds"
-
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Comentários"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Feeds"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Os feeds são criados por usuários para curadoria de conteúdo. Escolha alguns feeds que você acha interessantes."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Os feeds são algoritmos personalizados que os usuários com um pouco de experiência em programação podem criar. <0/> para mais informações."
@@ -1773,11 +1667,11 @@ msgstr "Finalizando"
msgid "Find accounts to follow"
msgstr "Encontre contas para seguir"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Encontrar usuários no Bluesky"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Encontre usuários com a ferramenta de busca à direita"
@@ -1811,10 +1705,10 @@ msgid "Flip vertically"
msgstr "Virar verticalmente"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Seguir"
@@ -1840,17 +1734,17 @@ msgstr "Seguir Todas"
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:144
msgid "Follow Back"
-msgstr ""
+msgstr "Seguir De Volta"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:182
msgid "Follow selected accounts and continue to the next step"
msgstr "Siga algumas contas e continue para o próximo passo"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Comece seguindo alguns usuários. Mais usuários podem ser recomendados com base em quem você acha interessante."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "Seguido por {0}"
@@ -1862,7 +1756,7 @@ msgstr "Usuários seguidos"
msgid "Followed users only"
msgstr "Somente usuários seguidos"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "seguiu você"
@@ -1871,7 +1765,7 @@ msgstr "seguiu você"
msgid "Followers"
msgstr "Seguidores"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1882,15 +1776,15 @@ msgstr "Seguindo"
msgid "Following {0}"
msgstr "Seguindo {0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr "Configurações do feed principal"
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "Configurações do feed principal"
@@ -1898,7 +1792,7 @@ msgstr "Configurações do feed principal"
msgid "Follows you"
msgstr "Segue você"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Segue Você"
@@ -1914,14 +1808,6 @@ msgstr "Por motivos de segurança, precisamos enviar um código de confirmação
msgid "For security reasons, you won't be able to view this again. If you lose this password, you'll need to generate a new one."
msgstr "Por motivos de segurança, você não poderá ver esta senha novamente. Se você perder esta senha, terá que gerar uma nova."
-#: src/view/com/auth/login/LoginForm.tsx:244
-#~ msgid "Forgot"
-#~ msgstr "Esqueci"
-
-#: src/view/com/auth/login/LoginForm.tsx:241
-#~ msgid "Forgot password"
-#~ msgstr "Esqueci a senha"
-
#: src/screens/Login/index.tsx:129
#: src/screens/Login/index.tsx:144
msgid "Forgot Password"
@@ -1929,11 +1815,11 @@ msgstr "Esqueci a Senha"
#: src/screens/Login/LoginForm.tsx:201
msgid "Forgot password?"
-msgstr ""
+msgstr "Esqueceu a senha?"
#: src/screens/Login/LoginForm.tsx:212
msgid "Forgot?"
-msgstr ""
+msgstr "Esqueceu?"
#: src/lib/moderation/useReportOptions.ts:52
msgid "Frequently Posts Unwanted Content"
@@ -1944,7 +1830,7 @@ msgstr "Frequentemente Posta Conteúdo Indesejado"
msgid "From @{sanitizedAuthor}"
msgstr "De @{sanitizedAuthor}"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "Por <0/>"
@@ -1968,7 +1854,7 @@ msgstr "Violações flagrantes da lei ou dos termos de serviço"
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Voltar"
@@ -1978,15 +1864,15 @@ msgstr "Voltar"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Voltar"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "Voltar para o passo anterior"
@@ -1998,7 +1884,7 @@ msgstr "Voltar para a tela inicial"
msgid "Go Home"
msgstr "Voltar para a tela inicial"
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "Ir para @{queryMaybleHandle}"
@@ -2024,20 +1910,16 @@ msgstr "Assédio, intolerância ou \"trollagem\""
msgid "Hashtag"
msgstr "Hashtag"
-#: src/components/RichText.tsx:188
-#~ msgid "Hashtag: {tag}"
-#~ msgstr "Hashtag: {tag}"
-
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr "Hashtag: #{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "Precisa de ajuda?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Ajuda"
@@ -2066,17 +1948,17 @@ msgstr "Aqui está a sua senha de aplicativo."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Ocultar"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "Esconder"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Ocultar post"
@@ -2085,18 +1967,14 @@ msgstr "Ocultar post"
msgid "Hide the content"
msgstr "Esconder o conteúdo"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "Ocultar este post?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Ocultar lista de usuários"
-#: src/view/com/profile/ProfileHeader.tsx:487
-#~ msgid "Hides posts from {0} in your feed"
-#~ msgstr "Esconder posts de {0} no seu feed"
-
#: src/view/com/posts/FeedErrorMessage.tsx:111
msgid "Hmm, some kind of issue occurred when contacting the feed server. Please let the feed owner know about this issue."
msgstr "Hmm, ocorreu algum problema ao entrar em contato com o servidor deste feed. Por favor, avise o criador do feed sobre este problema."
@@ -2125,21 +2003,14 @@ msgstr "Hmmmm, parece que estamos com problemas pra carregar isso. Veja mais det
msgid "Hmmmm, we couldn't load that moderation service."
msgstr "Hmmmm, não foi possível carregar este serviço de moderação."
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Página Inicial"
-#: src/Navigation.tsx:247
-#: src/view/com/pager/FeedsTabBarMobile.tsx:123
-#: src/view/screens/PreferencesHomeFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:543
-#~ msgid "Home Feed Preferences"
-#~ msgstr "Preferências da Página Inicial"
-
#: src/view/com/modals/ChangeHandle.tsx:420
msgid "Host:"
msgstr "Host:"
@@ -2179,11 +2050,11 @@ msgstr "Se nenhum for selecionado, adequado para todas as idades."
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr "Se você ainda não é um adulto de acordo com as leis do seu país, seu responsável ou guardião legal deve ler estes Termos por você."
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr "Se você deletar esta lista, você não poderá recuperá-la."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr "Se você remover este post, você não poderá recuperá-la."
@@ -2203,11 +2074,6 @@ msgstr "Imagem"
msgid "Image alt text"
msgstr "Texto alternativo da imagem"
-#: src/view/com/util/UserAvatar.tsx:311
-#: src/view/com/util/UserBanner.tsx:118
-#~ msgid "Image options"
-#~ msgstr "Opções de imagem"
-
#: src/lib/moderation/useReportOptions.ts:47
msgid "Impersonation or false claims about identity or affiliation"
msgstr "Falsificação de identidade ou alegações falsas sobre identidade ou filiação"
@@ -2220,14 +2086,6 @@ msgstr "Insira o código enviado para o seu e-mail para redefinir sua senha"
msgid "Input confirmation code for account deletion"
msgstr "Insira o código de confirmação para excluir sua conta"
-#: src/view/com/auth/create/Step1.tsx:177
-#~ msgid "Input email for Bluesky account"
-#~ msgstr "Insira o e-mail para a sua conta do Bluesky"
-
-#: src/view/com/auth/create/Step1.tsx:151
-#~ msgid "Input invite code to proceed"
-#~ msgstr "Insira o convite para continuar"
-
#: src/view/com/modals/AddAppPasswords.tsx:181
msgid "Input name for app password"
msgstr "Insira um nome para a senha de aplicativo"
@@ -2248,10 +2106,6 @@ msgstr "Insira a senha da conta {identifier}"
msgid "Input the username or email address you used at signup"
msgstr "Insira o usuário ou e-mail que você cadastrou"
-#: src/view/com/modals/Waitlist.tsx:90
-#~ msgid "Input your email to get on the Bluesky waitlist"
-#~ msgstr "Insira seu e-mail para entrar na lista de espera do Bluesky"
-
#: src/screens/Login/LoginForm.tsx:194
msgid "Input your password"
msgstr "Insira sua senha"
@@ -2260,7 +2114,7 @@ msgstr "Insira sua senha"
msgid "Input your preferred hosting provider"
msgstr "Insira seu provedor de hospedagem"
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Insira o usuário"
@@ -2296,24 +2150,10 @@ msgstr "Convites: 1 disponível"
msgid "It shows posts from the people you follow as they happen."
msgstr "Mostra os posts de quem você segue conforme acontecem."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Carreiras"
-#: src/view/com/modals/Waitlist.tsx:67
-#~ msgid "Join the waitlist"
-#~ msgstr "Junte-se à lista de espera"
-
-#: src/view/com/auth/create/Step1.tsx:174
-#: src/view/com/auth/create/Step1.tsx:178
-#~ msgid "Join the waitlist."
-#~ msgstr "Junte-se à lista de espera."
-
-#: src/view/com/modals/Waitlist.tsx:128
-#~ msgid "Join Waitlist"
-#~ msgstr "Junte-se à Lista de Espera"
-
#: src/screens/Onboarding/index.tsx:24
msgid "Journalism"
msgstr "Jornalismo"
@@ -2330,11 +2170,11 @@ msgstr "Rotulado por {0}."
msgid "Labeled by the author."
msgstr "Rotulado pelo autor."
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr "Rótulos"
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr "Rótulos são identificações aplicadas sobre perfis e conteúdos. Eles são utilizados para esconder, avisar e categorizar o conteúdo da rede."
@@ -2354,7 +2194,7 @@ msgstr "Rótulos sobre seu conteúdo"
msgid "Language selection"
msgstr "Seleção de idioma"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Configuração de Idioma"
@@ -2363,17 +2203,13 @@ msgstr "Configuração de Idioma"
msgid "Language Settings"
msgstr "Configurações de Idiomas"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Idiomas"
-#: src/view/com/auth/create/StepHeader.tsx:20
-#~ msgid "Last step!"
-#~ msgstr "Último passo!"
-
-#: src/view/com/util/moderation/ContentHider.tsx:103
-#~ msgid "Learn more"
-#~ msgstr "Saiba mais"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
#: src/components/moderation/ScreenHider.tsx:136
msgid "Learn More"
@@ -2409,7 +2245,7 @@ msgstr "Saindo do Bluesky"
msgid "left to go."
msgstr "na sua frente."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "Armazenamento limpo, você precisa reiniciar o app agora."
@@ -2422,21 +2258,16 @@ msgstr "Vamos redefinir sua senha!"
msgid "Let's go!"
msgstr "Vamos lá!"
-#: src/view/com/util/UserAvatar.tsx:248
-#: src/view/com/util/UserBanner.tsx:62
-#~ msgid "Library"
-#~ msgstr "Biblioteca"
-
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Claro"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "Curtir"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Curtir este feed"
@@ -2460,21 +2291,21 @@ msgstr "Curtido por {0} {1}"
msgid "Liked by {count} {0}"
msgstr "Curtido por {count} {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "Curtido por {likeCount} {0}"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "curtiram seu feed"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "curtiu seu post"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Curtidas"
@@ -2490,7 +2321,7 @@ msgstr "Lista"
msgid "List Avatar"
msgstr "Avatar da lista"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Lista bloqueada"
@@ -2498,11 +2329,11 @@ msgstr "Lista bloqueada"
msgid "List by {0}"
msgstr "Lista por {0}"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Lista excluída"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Lista silenciada"
@@ -2510,36 +2341,31 @@ msgstr "Lista silenciada"
msgid "List Name"
msgstr "Nome da lista"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Lista desbloqueada"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Lista dessilenciada"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Listas"
-#: src/view/com/post-thread/PostThread.tsx:333
-#: src/view/com/post-thread/PostThread.tsx:341
-#~ msgid "Load more posts"
-#~ msgstr "Carregar mais posts"
-
#: src/view/screens/Notifications.tsx:159
msgid "Load new notifications"
msgstr "Carregar novas notificações"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Carregar novos posts"
@@ -2547,10 +2373,6 @@ msgstr "Carregar novos posts"
msgid "Loading..."
msgstr "Carregando..."
-#: src/view/com/modals/ServerInput.tsx:50
-#~ msgid "Local dev server"
-#~ msgstr "Servidor de desenvolvimento local"
-
#: src/Navigation.tsx:221
msgid "Log"
msgstr "Registros"
@@ -2572,7 +2394,7 @@ msgstr "Fazer login em uma conta que não está listada"
#: src/screens/Login/SetNewPasswordForm.tsx:116
msgid "Looks like XXXXX-XXXXX"
-msgstr ""
+msgstr "Tem esse formato: XXXXX-XXXXX"
#: src/view/com/modals/LinkWarning.tsx:79
msgid "Make sure this is where you intend to go!"
@@ -2582,15 +2404,7 @@ msgstr "Certifique-se de onde está indo!"
msgid "Manage your muted words and tags"
msgstr "Gerencie suas palavras/tags silenciadas"
-#: src/view/com/auth/create/Step2.tsx:118
-#~ msgid "May not be longer than 253 characters"
-#~ msgstr "Não pode ter mais que 253 caracteres"
-
-#: src/view/com/auth/create/Step2.tsx:109
-#~ msgid "May only contain letters and numbers"
-#~ msgstr "Só pode conter letras e números"
-
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Mídia"
@@ -2603,7 +2417,7 @@ msgid "Mentioned users"
msgstr "Usuários mencionados"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Menu"
@@ -2617,10 +2431,10 @@ msgstr "Conta Enganosa"
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Moderação"
@@ -2633,13 +2447,13 @@ msgstr "Detalhes da moderação"
msgid "Moderation list by {0}"
msgstr "Lista de moderação por {0}"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "Lista de moderação por <0/>"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Lista de moderação por você"
@@ -2660,7 +2474,7 @@ msgstr "Listas de moderação"
msgid "Moderation Lists"
msgstr "Listas de Moderação"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Moderação"
@@ -2677,7 +2491,7 @@ msgstr "Ferramentas de moderação"
msgid "Moderator has chosen to set a general warning on the content."
msgstr "O moderador escolheu um aviso geral neste conteúdo."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr "Mais"
@@ -2685,22 +2499,14 @@ msgstr "Mais"
msgid "More feeds"
msgstr "Mais feeds"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Mais opções"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:315
-#~ msgid "More post options"
-#~ msgstr "Mais opções do post"
-
#: src/view/screens/PreferencesThreads.tsx:82
msgid "Most-liked replies first"
msgstr "Respostas mais curtidas primeiro"
-#: src/view/com/auth/create/Step2.tsx:122
-#~ msgid "Must be at least 3 characters"
-#~ msgstr "Deve ter no mínimo 3 caracteres"
-
#: src/components/TagMenu/index.tsx:249
msgid "Mute"
msgstr "Silenciar"
@@ -2714,7 +2520,7 @@ msgstr "Silenciar {truncatedTag}"
msgid "Mute Account"
msgstr "Silenciar Conta"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Silenciar contas"
@@ -2722,31 +2528,23 @@ msgstr "Silenciar contas"
msgid "Mute all {displayTag} posts"
msgstr "Silenciar posts com {displayTag}"
-#: src/components/TagMenu/index.tsx:211
-#~ msgid "Mute all {tag} posts"
-#~ msgstr "Silenciar posts com {tag}"
-
#: src/components/dialogs/MutedWords.tsx:148
msgid "Mute in tags only"
-msgstr "Silenciar apenas as tags"
+msgstr "Silenciar apenas tags"
#: src/components/dialogs/MutedWords.tsx:133
msgid "Mute in text & tags"
msgstr "Silenciar texto e tags"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
-msgstr "Lista de moderação"
+msgstr "Silenciar lista"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "Silenciar estas contas?"
-#: src/view/screens/ProfileList.tsx:279
-#~ msgid "Mute this List"
-#~ msgstr "Silenciar esta lista"
-
#: src/components/dialogs/MutedWords.tsx:126
msgid "Mute this word in post text and tags"
msgstr "Silenciar esta palavra no conteúdo de um post e tags"
@@ -2755,13 +2553,13 @@ msgstr "Silenciar esta palavra no conteúdo de um post e tags"
msgid "Mute this word in tags only"
msgstr "Silenciar esta palavra apenas nas tags de um post"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Silenciar thread"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "Silenciar palavras/tags"
@@ -2774,11 +2572,11 @@ msgid "Muted accounts"
msgstr "Contas silenciadas"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Contas Silenciadas"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Contas silenciadas não aparecem no seu feed ou nas suas notificações. Suas contas silenciadas são completamente privadas."
@@ -2790,7 +2588,7 @@ msgstr "Silenciado por \"{0}\""
msgid "Muted words & tags"
msgstr "Palavras/tags silenciadas"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Silenciar é privado. Contas silenciadas podem interagir com você, mas você não verá postagens ou receber notificações delas."
@@ -2799,7 +2597,7 @@ msgstr "Silenciar é privado. Contas silenciadas podem interagir com você, mas
msgid "My Birthday"
msgstr "Meu Aniversário"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Meus Feeds"
@@ -2807,18 +2605,14 @@ msgstr "Meus Feeds"
msgid "My Profile"
msgstr "Meu Perfil"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr "Meus feeds salvos"
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "Meus Feeds Salvos"
-#: src/view/com/auth/server-input/index.tsx:118
-#~ msgid "my-server.com"
-#~ msgstr "meu-servidor.com.br"
-
#: src/view/com/modals/AddAppPasswords.tsx:180
#: src/view/com/modals/CreateOrEditList.tsx:291
msgid "Name"
@@ -2839,7 +2633,7 @@ msgid "Nature"
msgstr "Natureza"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Navega para próxima tela"
@@ -2848,15 +2642,10 @@ msgstr "Navega para próxima tela"
msgid "Navigates to your profile"
msgstr "Navega para seu perfil"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr "Precisa denunciar uma violação de copyright?"
-#: src/view/com/modals/EmbedConsent.tsx:107
-#: src/view/com/modals/EmbedConsent.tsx:123
-#~ msgid "Never load embeds from {0}"
-#~ msgstr "Nunca carregar anexos de {0}"
-
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:72
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:74
msgid "Never lose access to your followers and data."
@@ -2866,10 +2655,6 @@ msgstr "Nunca perca o acesso aos seus seguidores e dados."
msgid "Never lose access to your followers or data."
msgstr "Nunca perca o acesso aos seus seguidores ou dados."
-#: src/components/dialogs/MutedWords.tsx:293
-#~ msgid "Nevermind"
-#~ msgstr "Deixa pra lá"
-
#: src/view/com/modals/ChangeHandle.tsx:519
msgid "Nevermind, create a handle for me"
msgstr "Deixa pra lá, crie um usuário pra mim"
@@ -2900,12 +2685,12 @@ msgctxt "action"
msgid "New post"
msgstr "Novo post"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Novo post"
@@ -2929,12 +2714,12 @@ msgstr "Notícias"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -2958,8 +2743,8 @@ msgstr "Próxima imagem"
msgid "No"
msgstr "Não"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Sem descrição"
@@ -2971,9 +2756,9 @@ msgstr "Não tenho painel de DNS"
msgid "No longer following {0}"
msgstr "Você não está mais seguindo {0}"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
-msgstr ""
+msgstr "No máximo 253 caracteres"
#: src/view/com/notifications/Feed.tsx:109
msgid "No notifications yet!"
@@ -2988,13 +2773,13 @@ msgstr "Nenhum resultado"
msgid "No results found"
msgstr "Nenhum resultado encontrado"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "Nenhum resultado encontrado para \"{query}\""
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "Nenhum resultado encontrado para {query}"
@@ -3021,7 +2806,7 @@ msgid "Not Applicable."
msgstr "Não Aplicável."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "Não encontrado"
@@ -3031,8 +2816,8 @@ msgid "Not right now"
msgstr "Agora não"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr "Nota sobre compartilhamento"
@@ -3040,13 +2825,13 @@ msgstr "Nota sobre compartilhamento"
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Nota: o Bluesky é uma rede aberta e pública. Esta configuração limita somente a visibilidade do seu conteúdo no site e aplicativo do Bluesky, e outros aplicativos podem não respeitar esta configuração. Seu conteúdo ainda poderá ser exibido para usuários não autenticados por outros aplicativos e sites."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Notificações"
@@ -3056,15 +2841,11 @@ msgstr "Nudez"
#: src/lib/moderation/useReportOptions.ts:71
msgid "Nudity or adult content not labeled as such"
-msgstr ""
-
-#: src/lib/moderation/useReportOptions.ts:71
-#~ msgid "Nudity or pornography not labeled as such"
-#~ msgstr "Nudez ou pornografia sem aviso aplicado"
+msgstr "Nudez ou pornografia sem aviso aplicado"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
-msgstr ""
+msgstr "de"
#: src/lib/moderation/useLabelBehaviorDescription.ts:11
msgid "Off"
@@ -3079,7 +2860,7 @@ msgid "Oh no! Something went wrong."
msgstr "Opa! Algo deu errado."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr "OK"
@@ -3091,7 +2872,7 @@ msgstr "Ok"
msgid "Oldest replies first"
msgstr "Respostas mais antigas primeiro"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Resetar tutoriais"
@@ -3103,9 +2884,9 @@ msgstr "Uma ou mais imagens estão sem texto alternativo."
msgid "Only {0} can reply."
msgstr "Apenas {0} pode responder."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
-msgstr ""
+msgstr "Contém apenas letras, números e hífens"
#: src/components/Lists.tsx:75
msgid "Oops, something went wrong!"
@@ -3113,7 +2894,7 @@ msgstr "Opa, algo deu errado!"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Opa!"
@@ -3121,20 +2902,16 @@ msgstr "Opa!"
msgid "Open"
msgstr "Abrir"
-#: src/view/screens/Moderation.tsx:75
-#~ msgid "Open content filtering settings"
-#~ msgstr "Abrir configurações de filtro"
-
#: src/view/com/composer/Composer.tsx:491
#: src/view/com/composer/Composer.tsx:492
msgid "Open emoji picker"
msgstr "Abrir seletor de emojis"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr "Abrir opções do feed"
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Abrir links no navegador interno"
@@ -3142,24 +2919,20 @@ msgstr "Abrir links no navegador interno"
msgid "Open muted words and tags settings"
msgstr "Abrir opções de palavras/tags silenciadas"
-#: src/view/screens/Moderation.tsx:92
-#~ msgid "Open muted words settings"
-#~ msgstr "Abrir configurações das palavras silenciadas"
-
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Abrir navegação"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr "Abrir opções do post"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Abre o storybook"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr "Abrir registros do sistema"
@@ -3171,7 +2944,7 @@ msgstr "Abre {numItems} opções"
msgid "Opens additional details for a debug entry"
msgstr "Abre detalhes adicionais para um registro de depuração"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "Abre a lista de usuários nesta notificação"
@@ -3183,7 +2956,7 @@ msgstr "Abre a câmera do dispositivo"
msgid "Opens composer"
msgstr "Abre o editor de post"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Abre definições de idioma configuráveis"
@@ -3191,55 +2964,41 @@ msgstr "Abre definições de idioma configuráveis"
msgid "Opens device photo gallery"
msgstr "Abre a galeria de fotos do dispositivo"
-#: src/view/com/profile/ProfileHeader.tsx:420
-#~ msgid "Opens editor for profile display name, avatar, background image, and description"
-#~ msgstr "Abre o editor de nome, avatar, banner e descrição do perfil"
-
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Abre as configurações de anexos externos"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr "Abre o fluxo de criação de conta do Bluesky"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr "Abre o fluxo de entrar na sua conta do Bluesky"
-#: src/view/com/profile/ProfileHeader.tsx:575
-#~ msgid "Opens followers list"
-#~ msgstr "Abre lista de seguidores"
-
-#: src/view/com/profile/ProfileHeader.tsx:594
-#~ msgid "Opens following list"
-#~ msgstr "Abre lista de seguidos"
-
#: src/view/com/modals/InviteCodes.tsx:173
msgid "Opens list of invite codes"
msgstr "Abre a lista de códigos de convite"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr "Abre modal de confirmar a exclusão da conta. Requer código enviado por email"
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr "Abre modal para troca da sua senha do Bluesky"
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr "Abre modal para troca do seu usuário do Bluesky"
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr "Abre modal para baixar os dados da sua conta do Bluesky"
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr "Abre modal para verificação de email"
@@ -3247,7 +3006,7 @@ msgstr "Abre modal para verificação de email"
msgid "Opens modal for using custom domain"
msgstr "Abre modal para usar o domínio personalizado"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Abre configurações de moderação"
@@ -3255,20 +3014,20 @@ msgstr "Abre configurações de moderação"
msgid "Opens password reset form"
msgstr "Abre o formulário de redefinição de senha"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Abre a tela para editar feeds salvos"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Abre a tela com todos os feeds salvos"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr "Abre as configurações de senha do aplicativo"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr "Abre as preferências do feed inicial"
@@ -3276,16 +3035,16 @@ msgstr "Abre as preferências do feed inicial"
msgid "Opens the linked website"
msgstr "Abre o link"
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Abre a página do storybook"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Abre a página de log do sistema"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Abre as preferências de threads"
@@ -3293,7 +3052,7 @@ msgstr "Abre as preferências de threads"
msgid "Option {0} of {numItems}"
msgstr "Opção {0} de {numItems}"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr "Se quiser adicionar mais informações, digite abaixo:"
@@ -3323,7 +3082,7 @@ msgid "Page Not Found"
msgstr "Página Não Encontrada"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3341,6 +3100,11 @@ msgstr "Senha atualizada"
msgid "Password updated!"
msgstr "Senha atualizada!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "Pessoas seguidas por @{0}"
@@ -3365,16 +3129,16 @@ msgstr "Pets"
msgid "Pictures meant for adults."
msgstr "Imagens destinadas a adultos."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "Fixar na tela inicial"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr "Fixar na Tela Inicial"
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Feeds Fixados"
@@ -3419,14 +3183,6 @@ msgstr "Por favor, insira um nome único para esta Senha de Aplicativo ou use no
msgid "Please enter a valid word, tag, or phrase to mute"
msgstr "Por favor, insira uma palavra, tag ou frase para silenciar"
-#: src/view/com/auth/create/state.ts:170
-#~ msgid "Please enter the code you received by SMS."
-#~ msgstr "Por favor, digite o código recebido via SMS."
-
-#: src/view/com/auth/create/Step2.tsx:282
-#~ msgid "Please enter the verification code sent to {phoneNumberFormatted}."
-#~ msgstr "Por favor, digite o código de verificação enviado para {phoneNumberFormatted}."
-
#: src/screens/Signup/state.ts:220
msgid "Please enter your email."
msgstr "Por favor, digite o seu e-mail."
@@ -3439,11 +3195,6 @@ msgstr "Por favor, digite sua senha também:"
msgid "Please explain why you think this label was incorrectly applied by {0}"
msgstr "Por favor, explique por que você acha que este rótulo foi aplicado incorrentamente por {0}"
-#: src/view/com/modals/AppealLabel.tsx:72
-#: src/view/com/modals/AppealLabel.tsx:75
-#~ msgid "Please tell us why you think this content warning was incorrectly applied!"
-#~ msgstr "Por favor, diga-nos por que você acha que este aviso de conteúdo foi aplicado incorretamente!"
-
#: src/view/com/modals/VerifyEmail.tsx:101
msgid "Please Verify Your Email"
msgstr "Por favor, verifique seu e-mail"
@@ -3460,10 +3211,6 @@ msgstr "Política"
msgid "Porn"
msgstr "Pornografia"
-#: src/lib/moderation/useGlobalLabelStrings.ts:34
-#~ msgid "Pornography"
-#~ msgstr "Pornografia"
-
#: src/view/com/composer/Composer.tsx:367
#: src/view/com/composer/Composer.tsx:375
msgctxt "action"
@@ -3485,7 +3232,7 @@ msgstr "Post por {0}"
msgid "Post by @{0}"
msgstr "Post por @{0}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Post excluído"
@@ -3520,7 +3267,8 @@ msgstr "Post não encontrado"
msgid "posts"
msgstr "posts"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Posts"
@@ -3536,13 +3284,13 @@ msgstr "Posts ocultados"
msgid "Potentially Misleading Link"
msgstr "Link Potencialmente Enganoso"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
-msgstr ""
+msgstr "Trocar de provedor de hospedagem"
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr "Tentar novamente"
@@ -3558,7 +3306,7 @@ msgstr "Idioma Principal"
msgid "Prioritize Your Follows"
msgstr "Priorizar seus Seguidores"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Privacidade"
@@ -3566,8 +3314,8 @@ msgstr "Privacidade"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Política de Privacidade"
@@ -3576,15 +3324,15 @@ msgid "Processing..."
msgstr "Processando..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr "perfil"
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Perfil"
@@ -3592,7 +3340,7 @@ msgstr "Perfil"
msgid "Profile updated"
msgstr "Perfil atualizado"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Proteja a sua conta verificando o seu e-mail."
@@ -3638,15 +3386,15 @@ msgstr "Aleatório"
msgid "Ratios"
msgstr "Índices"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr "Buscas Recentes"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Feeds Recomendados"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Usuários Recomendados"
@@ -3659,15 +3407,11 @@ msgstr "Usuários Recomendados"
msgid "Remove"
msgstr "Remover"
-#: src/view/com/feeds/FeedSourceCard.tsx:108
-#~ msgid "Remove {0} from my feeds?"
-#~ msgstr "Remover {0} dos meus feeds?"
-
#: src/view/com/util/AccountDropdownBtn.tsx:22
msgid "Remove account"
msgstr "Remover conta"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr "Remover avatar"
@@ -3685,8 +3429,8 @@ msgstr "Remover feed?"
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Remover dos meus feeds"
@@ -3710,18 +3454,10 @@ msgstr "Remover palavra silenciada da lista"
msgid "Remove repost"
msgstr "Desfazer repost"
-#: src/view/com/feeds/FeedSourceCard.tsx:175
-#~ msgid "Remove this feed from my feeds?"
-#~ msgstr "Remover este feed dos meus feeds?"
-
#: src/view/com/posts/FeedErrorMessage.tsx:202
msgid "Remove this feed from your saved feeds"
msgstr "Remover este feed dos feeds salvos"
-#: src/view/com/posts/FeedErrorMessage.tsx:132
-#~ msgid "Remove this feed from your saved feeds?"
-#~ msgstr "Remover este feed dos feeds salvos?"
-
#: src/view/com/modals/ListAddRemoveUsers.tsx:199
#: src/view/com/modals/UserAddRemoveLists.tsx:152
msgid "Removed from list"
@@ -3731,7 +3467,7 @@ msgstr "Removido da lista"
msgid "Removed from my feeds"
msgstr "Removido dos meus feeds"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr "Removido dos feeds salvos"
@@ -3739,7 +3475,7 @@ msgstr "Removido dos feeds salvos"
msgid "Removes default thumbnail from {0}"
msgstr "Remover miniatura de {0}"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Respostas"
@@ -3756,16 +3492,12 @@ msgstr "Responder"
msgid "Reply Filters"
msgstr "Filtros de Resposta"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "Responder <0/>"
-#: src/view/com/modals/report/Modal.tsx:166
-#~ msgid "Report {collectionName}"
-#~ msgstr "Denunciar {collectionName}"
-
#: src/view/com/profile/ProfileMenu.tsx:319
#: src/view/com/profile/ProfileMenu.tsx:322
msgid "Report Account"
@@ -3773,19 +3505,19 @@ msgstr "Denunciar Conta"
#: src/components/ReportDialog/index.tsx:49
msgid "Report dialog"
-msgstr ""
+msgstr "Janela de denúncia"
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Denunciar feed"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Denunciar Lista"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Denunciar post"
@@ -3830,15 +3562,19 @@ msgstr "Repostar ou citar um post"
msgid "Reposted By"
msgstr "Repostado Por"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "Repostado por {0}"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "Repostado por <0/>"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "Repostado por <0/>"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "repostou seu post"
@@ -3856,7 +3592,7 @@ msgstr "Solicitar Alteração"
msgid "Request Code"
msgstr "Solicitar Código"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Exigir texto alternativo antes de postar"
@@ -3872,12 +3608,8 @@ msgstr "Código de redefinição"
msgid "Reset Code"
msgstr "Código de Redefinição"
-#: src/view/screens/Settings/index.tsx:824
-#~ msgid "Reset onboarding"
-#~ msgstr "Redefinir tutoriais"
-
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Redefinir tutoriais"
@@ -3885,20 +3617,16 @@ msgstr "Redefinir tutoriais"
msgid "Reset password"
msgstr "Redefinir senha"
-#: src/view/screens/Settings/index.tsx:814
-#~ msgid "Reset preferences"
-#~ msgstr "Redefinir configurações"
-
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Redefinir configurações"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Redefine tutoriais"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Redefine as configurações"
@@ -3917,18 +3645,14 @@ msgstr "Tenta a última ação, que deu erro"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
msgstr "Tente novamente"
-#: src/view/com/auth/create/Step2.tsx:247
-#~ msgid "Retry."
-#~ msgstr "Tentar novamente."
-
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Voltar para página anterior"
@@ -3974,12 +3698,12 @@ msgstr "Salvar usuário"
msgid "Save image crop"
msgstr "Salvar corte de imagem"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr "Salvar nos meus feeds"
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Feeds Salvos"
@@ -3987,7 +3711,7 @@ msgstr "Feeds Salvos"
msgid "Saved to your camera roll."
msgstr "Imagem salva na galeria."
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr "Adicionado aos seus feeds"
@@ -4007,28 +3731,28 @@ msgstr "Salva o corte da imagem"
msgid "Science"
msgstr "Ciência"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Ir para o topo"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Buscar"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "Pesquisar por \"{query}\""
@@ -4037,18 +3761,10 @@ msgstr "Pesquisar por \"{query}\""
msgid "Search for all posts by @{authorHandle} with tag {displayTag}"
msgstr "Pesquisar por posts de @{authorHandle} com a tag {displayTag}"
-#: src/components/TagMenu/index.tsx:145
-#~ msgid "Search for all posts by @{authorHandle} with tag {tag}"
-#~ msgstr "Pesquisar por posts de @{authorHandle} com a tag {tag}"
-
#: src/components/TagMenu/index.tsx:94
msgid "Search for all posts with tag {displayTag}"
msgstr "Pesquisar por posts com a tag {displayTag}"
-#: src/components/TagMenu/index.tsx:90
-#~ msgid "Search for all posts with tag {tag}"
-#~ msgstr "Pesquisar por posts com a tag {tag}"
-
#: src/view/com/auth/LoggedOut.tsx:105
#: src/view/com/auth/LoggedOut.tsx:106
#: src/view/com/modals/ListAddRemoveUsers.tsx:70
@@ -4075,21 +3791,18 @@ msgstr "Ver posts com <0>{displayTag}0>"
msgid "See <0>{displayTag}0> posts by this user"
msgstr "Ver posts com <0>{displayTag}0> deste usuário"
-#: src/components/TagMenu/index.tsx:128
-#~ msgid "See <0>{tag}0> posts"
-#~ msgstr "Ver posts com <0>{tag}0>"
-
-#: src/components/TagMenu/index.tsx:189
-#~ msgid "See <0>{tag}0> posts by this user"
-#~ msgstr "Ver posts com <0>{tag}0> deste usuário"
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Veja o guia"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Veja o que vem por aí"
+#~ msgid "See what's next"
+#~ msgstr "Veja o que vem por aí"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4097,7 +3810,7 @@ msgstr "Selecionar {item}"
#: src/screens/Login/ChooseAccountForm.tsx:61
msgid "Select account"
-msgstr ""
+msgstr "Selecione uma conta"
#: src/screens/Login/index.tsx:120
msgid "Select from an existing account"
@@ -4115,16 +3828,11 @@ msgstr "Selecionar moderador"
msgid "Select option {i} of {numItems}"
msgstr "Seleciona opção {i} de {numItems}"
-#: src/view/com/auth/create/Step1.tsx:96
-#: src/view/com/auth/login/LoginForm.tsx:153
-#~ msgid "Select service"
-#~ msgstr "Selecionar serviço"
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:52
msgid "Select some accounts below to follow"
msgstr "Selecione algumas contas para seguir"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr "Selecione o(s) serviço(s) de moderação para reportar"
@@ -4144,17 +3852,13 @@ msgstr "Selecione o que você quer (ou não) ver, e cuidaremos do resto."
msgid "Select which languages you want your subscribed feeds to include. If none are selected, all languages will be shown."
msgstr "Selecione quais idiomas você deseja ver nos seus feeds. Se nenhum for selecionado, todos os idiomas serão exibidos."
-#: src/view/screens/LanguageSettings.tsx:98
-#~ msgid "Select your app language for the default text to display in the app"
-#~ msgstr "Selecione o idioma do seu aplicativo"
-
#: src/view/screens/LanguageSettings.tsx:98
msgid "Select your app language for the default text to display in the app."
msgstr "Selecione o idioma do seu aplicativo"
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
-msgstr ""
+msgstr "Selecione sua data de nascimento"
#: src/screens/Onboarding/StepInterests/index.tsx:200
msgid "Select your interests from the options below"
@@ -4186,20 +3890,16 @@ msgctxt "action"
msgid "Send Email"
msgstr "Enviar E-mail"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Enviar comentários"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr "Denunciar"
-#: src/view/com/modals/report/SendReportButton.tsx:45
-#~ msgid "Send Report"
-#~ msgstr "Denunciar"
-
#: src/components/ReportDialog/SelectLabelerView.tsx:44
msgid "Send report to {0}"
msgstr "Denunciar via {0}"
@@ -4212,48 +3912,14 @@ msgstr "Envia o e-mail com o código de confirmação para excluir a conta"
msgid "Server address"
msgstr "URL do servidor"
-#: src/view/com/modals/ContentFilteringSettings.tsx:311
-#~ msgid "Set {value} for {labelGroup} content moderation policy"
-#~ msgstr "Definir {value} para o filtro de moderação {labelGroup}"
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:160
-#: src/view/com/modals/ContentFilteringSettings.tsx:179
-#~ msgctxt "action"
-#~ msgid "Set Age"
-#~ msgstr "Definir Idade"
-
#: src/screens/Moderation/index.tsx:304
msgid "Set birthdate"
msgstr "Definir data de nascimento"
-#: src/view/screens/Settings/index.tsx:488
-#~ msgid "Set color theme to dark"
-#~ msgstr "Definir o tema de cor para escuro"
-
-#: src/view/screens/Settings/index.tsx:481
-#~ msgid "Set color theme to light"
-#~ msgstr "Definir o tema de cor para claro"
-
-#: src/view/screens/Settings/index.tsx:475
-#~ msgid "Set color theme to system setting"
-#~ msgstr "Definir o tema para acompanhar o sistema"
-
-#: src/view/screens/Settings/index.tsx:514
-#~ msgid "Set dark theme to the dark theme"
-#~ msgstr "Definir o tema escuro para o padrão"
-
-#: src/view/screens/Settings/index.tsx:507
-#~ msgid "Set dark theme to the dim theme"
-#~ msgstr "Definir o tema escuro para a versão menos escura"
-
#: src/screens/Login/SetNewPasswordForm.tsx:102
msgid "Set new password"
msgstr "Definir uma nova senha"
-#: src/view/com/auth/create/Step1.tsx:202
-#~ msgid "Set password"
-#~ msgstr "Definir senha"
-
#: src/view/screens/PreferencesFollowingFeed.tsx:225
msgid "Set this setting to \"No\" to hide all quote posts from your feed. Reposts will still be visible."
msgstr "Defina esta configuração como \"Não\" para ocultar todas as citações do seu feed. Reposts ainda serão visíveis."
@@ -4282,23 +3948,23 @@ msgstr "Configure sua conta"
msgid "Sets Bluesky username"
msgstr "Configura o usuário no Bluesky"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr "Define o tema para escuro"
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr "Define o tema para claro"
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr "Define o tema para seguir o sistema"
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr "Define o tema escuro para o padrão"
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr "Define o tema escuro para o menos escuro"
@@ -4306,10 +3972,6 @@ msgstr "Define o tema escuro para o menos escuro"
msgid "Sets email for password reset"
msgstr "Configura o e-mail para recuperação de senha"
-#: src/view/com/auth/login/ForgotPasswordForm.tsx:122
-#~ msgid "Sets hosting provider for password reset"
-#~ msgstr "Configura o provedor de hospedagem para recuperação de senha"
-
#: src/view/com/modals/crop-image/CropImage.web.tsx:124
msgid "Sets image aspect ratio to square"
msgstr "Define a proporção da imagem para quadrada"
@@ -4322,16 +3984,11 @@ msgstr "Define a proporção da imagem para alta"
msgid "Sets image aspect ratio to wide"
msgstr "Define a proporção da imagem para comprida"
-#: src/view/com/auth/create/Step1.tsx:97
-#: src/view/com/auth/login/LoginForm.tsx:154
-#~ msgid "Sets server for the Bluesky client"
-#~ msgstr "Configura o servidor para o cliente do Bluesky"
-
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Configurações"
@@ -4350,38 +4007,38 @@ msgstr "Compartilhar"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Compartilhar"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr "Compartilhar assim"
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Compartilhar feed"
#: src/view/com/modals/LinkWarning.tsx:89
#: src/view/com/modals/LinkWarning.tsx:95
msgid "Share Link"
-msgstr ""
+msgstr "Compartilhar Link"
#: src/view/com/modals/LinkWarning.tsx:92
msgid "Shares the linked website"
-msgstr ""
+msgstr "Compartilha o link"
#: src/components/moderation/ContentHider.tsx:115
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Mostrar"
@@ -4403,17 +4060,13 @@ msgstr "Mostrar rótulo"
msgid "Show badge and filter from feeds"
msgstr "Mostrar rótulo e filtrar dos feeds"
-#: src/view/com/modals/EmbedConsent.tsx:87
-#~ msgid "Show embeds from {0}"
-#~ msgstr "Mostrar anexos de {0}"
-
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:200
msgid "Show follows similar to {0}"
msgstr "Mostrar usuários parecidos com {0}"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Mostrar Mais"
@@ -4470,7 +4123,7 @@ msgstr "Mostrar reposts no Seguindo"
msgid "Show the content"
msgstr "Mostrar conteúdo"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Mostrar usuários"
@@ -4482,41 +4135,31 @@ msgstr "Mostrar aviso"
msgid "Show warning and filter from feeds"
msgstr "Mostrar aviso e filtrar dos feeds"
-#: src/view/com/profile/ProfileHeader.tsx:462
-#~ msgid "Shows a list of users similar to this user."
-#~ msgstr "Mostra uma lista de usuários parecidos com este"
-
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:130
msgid "Shows posts from {0} in your feed"
msgstr "Mostra posts de {0} no seu feed"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Fazer login"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:82
-#: src/view/com/auth/SplashScreen.tsx:86
-#: src/view/com/auth/SplashScreen.web.tsx:91
-#~ msgid "Sign In"
-#~ msgstr "Fazer Login"
-
#: src/components/AccountList.tsx:109
msgid "Sign in as {0}"
msgstr "Fazer login como {0}"
@@ -4525,28 +4168,32 @@ msgstr "Fazer login como {0}"
msgid "Sign in as..."
msgstr "Fazer login como..."
-#: src/view/com/auth/login/LoginForm.tsx:140
-#~ msgid "Sign into"
-#~ msgstr "Fazer login"
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Sair"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Inscrever-se"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Inscreva-se ou faça login para se juntar à conversa"
@@ -4555,7 +4202,7 @@ msgstr "Inscreva-se ou faça login para se juntar à conversa"
msgid "Sign-in Required"
msgstr "É Necessário Fazer Login"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Entrou como"
@@ -4563,10 +4210,6 @@ msgstr "Entrou como"
msgid "Signed in as @{0}"
msgstr "autenticado como @{0}"
-#: src/view/com/modals/SwitchAccount.tsx:70
-#~ msgid "Signs {0} out of Bluesky"
-#~ msgstr "Desloga a conta {0}"
-
#: src/screens/Onboarding/StepInterests/index.tsx:239
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:203
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:35
@@ -4581,25 +4224,13 @@ msgstr "Pular"
msgid "Software Dev"
msgstr "Desenvolvimento de software"
-#: src/view/com/modals/ProfilePreview.tsx:62
-#~ msgid "Something went wrong and we're not sure what."
-#~ msgstr "Algo deu errado e meio que não sabemos o que houve."
-
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr "Algo deu errado. Por favor, tente novamente."
-#: src/components/Lists.tsx:203
-#~ msgid "Something went wrong!"
-#~ msgstr "Algo deu errado!"
-
-#: src/view/com/modals/Waitlist.tsx:51
-#~ msgid "Something went wrong. Check your email and try again."
-#~ msgstr "Algo deu errado. Verifique seu e-mail e tente novamente."
-
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "Opa! Sua sessão expirou. Por favor, entre novamente."
@@ -4631,24 +4262,20 @@ msgstr "Esportes"
msgid "Square"
msgstr "Quadrado"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Página de status"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
-msgstr ""
-
-#: src/view/com/auth/create/StepHeader.tsx:22
-#~ msgid "Step {0} of {numSteps}"
-#~ msgstr "Passo {0} de {numSteps}"
+msgstr "Passo"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "Armazenamento limpo, você precisa reiniciar o app agora."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Storybook"
@@ -4657,15 +4284,15 @@ msgstr "Storybook"
msgid "Submit"
msgstr "Enviar"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Inscrever-se"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr "Inscreva-se em @{0} para utilizar estes rótulos:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr "Inscrever-se no rotulador"
@@ -4674,15 +4301,15 @@ msgstr "Inscrever-se no rotulador"
msgid "Subscribe to the {0} feed"
msgstr "Increver-se no feed {0}"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr "Inscrever-se neste rotulador"
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Inscreva-se nesta lista"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Sugestões de Seguidores"
@@ -4705,19 +4332,19 @@ msgstr "Suporte"
msgid "Switch Account"
msgstr "Alterar Conta"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "Trocar para {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Troca a conta que você está autenticado"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "Sistema"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Log do sistema"
@@ -4729,10 +4356,6 @@ msgstr "tag"
msgid "Tag menu: {displayTag}"
msgstr "Menu da tag: {displayTag}"
-#: src/components/TagMenu/index.tsx:74
-#~ msgid "Tag menu: {tag}"
-#~ msgstr "Menu da tag: {tag}"
-
#: src/view/com/modals/crop-image/CropImage.web.tsx:113
msgid "Tall"
msgstr "Alto"
@@ -4751,9 +4374,9 @@ msgstr "Termos"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Termos de Serviço"
@@ -4771,7 +4394,7 @@ msgstr "texto"
msgid "Text input field"
msgstr "Campo de entrada de texto"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr "Obrigado. Sua denúncia foi enviada."
@@ -4779,11 +4402,11 @@ msgstr "Obrigado. Sua denúncia foi enviada."
msgid "That contains the following:"
msgstr "Contém o seguinte:"
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "Este identificador de usuário já está sendo usado."
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "A conta poderá interagir com você após o desbloqueio."
@@ -4833,8 +4456,8 @@ msgstr "Os Termos de Serviço foram movidos para"
msgid "There are many feeds to try:"
msgstr "Temos vários feeds para você experimentar:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Tivemos um problema ao contatar o servidor, por favor verifique sua conexão com a internet e tente novamente."
@@ -4842,15 +4465,15 @@ msgstr "Tivemos um problema ao contatar o servidor, por favor verifique sua cone
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Tivemos um problema ao remover este feed, por favor verifique sua conexão com a internet e tente novamente."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Tivemos um problema ao atualizar seus feeds, por favor verifique sua conexão com a internet e tente novamente."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "Tivemos um problema ao contatar o servidor deste feed"
@@ -4873,12 +4496,12 @@ msgstr "Tivemos um problema ao carregar posts. Toque aqui para tentar de novo."
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Tivemos um problema ao carregar esta lista. Toque aqui para tentar de novo."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Tivemos um problema ao carregar suas listas. Toque aqui para tentar de novo."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr "Tivemos um problema ao enviar sua denúncia. Por favor, verifique sua conexão com a internet."
@@ -4904,10 +4527,10 @@ msgstr "Tivemos um problema ao carregar suas senhas de app."
msgid "There was an issue! {0}"
msgstr "Tivemos um problema! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Tivemos algum problema. Por favor verifique sua conexão com a internet e tente novamente."
@@ -4956,10 +4579,6 @@ msgstr "Este conteúdo não está disponível porque um dos usuários bloqueou o
msgid "This content is not viewable without a Bluesky account."
msgstr "Este conteúdo não é visível sem uma conta do Bluesky."
-#: src/view/screens/Settings/ExportCarDialog.tsx:75
-#~ msgid "This feature is in beta. You can read more about repository exports in <0>this blogpost.0>"
-#~ msgstr "Esta funcionalidade está em beta. Você pode ler mais sobre exportação de repositórios <0>neste post0> do nosso blog."
-
#: src/view/screens/Settings/ExportCarDialog.tsx:75
msgid "This feature is in beta. You can read more about repository exports in <0>this blogpost0>."
msgstr "Esta funcionalidade está em beta. Você pode ler mais sobre exportação de repositórios <0>neste post0> do nosso blog."
@@ -4968,9 +4587,9 @@ msgstr "Esta funcionalidade está em beta. Você pode ler mais sobre exportaçã
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Este feed está recebendo muito tráfego e está temporariamente indisponível. Por favor, tente novamente mais tarde."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Este feed está vazio!"
@@ -4990,7 +4609,7 @@ msgstr "Isso é importante caso você precise alterar seu e-mail ou redefinir su
msgid "This label was applied by {0}."
msgstr "Este rótulo foi aplicado por {0}."
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr "Este rotulador não declarou quais rótulos utiliza e pode não estar funcionando ainda."
@@ -4998,7 +4617,7 @@ msgstr "Este rotulador não declarou quais rótulos utiliza e pode não estar fu
msgid "This link is taking you to the following website:"
msgstr "Este link está levando você ao seguinte site:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "Esta lista está vazia!"
@@ -5014,12 +4633,12 @@ msgstr "Você já tem uma senha com esse nome"
msgid "This post has been deleted."
msgstr "Este post foi excluído."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr "Este post só pode ser visto por usuários autenticados e não aparecerá para pessoas que não estão autenticadas."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr "Este post será escondido de todos os feeds."
@@ -5048,14 +4667,6 @@ msgstr "Este usuário te bloqueou. Você não pode ver este conteúdo."
msgid "This user has requested that their content only be shown to signed-in users."
msgstr "Este usuário requisitou que seu conteúdo só seja visível para usuários autenticados."
-#: src/view/com/modals/ModerationDetails.tsx:42
-#~ msgid "This user is included in the <0/> list which you have blocked."
-#~ msgstr "Este usuário está incluído na lista <0/>, que você bloqueou."
-
-#: src/view/com/modals/ModerationDetails.tsx:74
-#~ msgid "This user is included in the <0/> list which you have muted."
-#~ msgstr "Este usuário está incluído na lista <0/>, que você silenciou."
-
#: src/components/moderation/ModerationDetailsDialog.tsx:55
msgid "This user is included in the <0>{0}0> list which you have blocked."
msgstr "Este usuário está incluído na lista <0>{0}0>, que você bloqueou."
@@ -5076,16 +4687,12 @@ msgstr "Este aviso só está disponível para publicações com mídia anexada."
msgid "This will delete {0} from your muted words. You can always add it back later."
msgstr "Isso removerá {0} das suas palavras silenciadas. Você pode adicioná-la novamente depois."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:282
-#~ msgid "This will hide this post from your feeds."
-#~ msgstr "Isso ocultará este post de seus feeds."
-
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr "Preferências das Threads"
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Preferências das Threads"
@@ -5113,14 +4720,18 @@ msgstr "Alternar menu suspenso"
msgid "Toggle to enable or disable adult content"
msgstr "Ligar ou desligar conteúdo adulto"
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Transformações"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Traduzir"
@@ -5133,11 +4744,11 @@ msgstr "Tentar novamente"
msgid "Type:"
msgstr "Tipo:"
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Desbloquear lista"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Dessilenciar lista"
@@ -5145,15 +4756,15 @@ msgstr "Dessilenciar lista"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "Não foi possível entrar em contato com seu serviço. Por favor, verifique sua conexão à internet."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Desbloquear"
@@ -5167,7 +4778,7 @@ msgstr "Desbloquear"
msgid "Unblock Account"
msgstr "Desbloquear Conta"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr "Desbloquear Conta?"
@@ -5180,7 +4791,7 @@ msgid "Undo repost"
msgstr "Desfazer repost"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr "Deixar de seguir"
@@ -5198,20 +4809,16 @@ msgstr "Deixar de seguir {0}"
msgid "Unfollow Account"
msgstr "Deixar de seguir"
-#: src/view/com/auth/create/state.ts:262
-#~ msgid "Unfortunately, you do not meet the requirements to create an account."
-#~ msgstr "Infelizmente, você não atende aos requisitos para criar uma conta."
-
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "Descurtir"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr "Descurtir este feed"
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Dessilenciar"
@@ -5228,37 +4835,29 @@ msgstr "Dessilenciar conta"
msgid "Unmute all {displayTag} posts"
msgstr "Dessilenciar posts com {displayTag}"
-#: src/components/TagMenu/index.tsx:210
-#~ msgid "Unmute all {tag} posts"
-#~ msgstr "Dessilenciar posts com {tag}"
-
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Dessilenciar thread"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Desafixar"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr "Desafixar da tela inicial"
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Desafixar lista de moderação"
-#: src/view/screens/ProfileFeed.tsx:346
-#~ msgid "Unsave"
-#~ msgstr "Remover"
-
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr "Desinscrever-se"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr "Desinscrever-se deste rotulador"
@@ -5270,10 +4869,6 @@ msgstr "Conteúdo Sexual Indesejado"
msgid "Update {displayName} in Lists"
msgstr "Atualizar {displayName} nas Listas"
-#: src/lib/hooks/useOTAUpdate.ts:15
-#~ msgid "Update Available"
-#~ msgstr "Atualização Disponível"
-
#: src/view/com/modals/ChangeHandle.tsx:508
msgid "Update to {handle}"
msgstr "Alterar para {handle}"
@@ -5286,20 +4881,20 @@ msgstr "Atualizando..."
msgid "Upload a text file to:"
msgstr "Carregar um arquivo de texto para:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr "Tirar uma foto"
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr "Carregar um arquivo"
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5364,22 +4959,18 @@ msgstr "Usuário Bloqueia Você"
msgid "User Blocks You"
msgstr "Este Usuário Te Bloqueou"
-#: src/view/com/auth/create/Step2.tsx:79
-#~ msgid "User handle"
-#~ msgstr "Usuário"
-
#: src/view/com/lists/ListCard.tsx:85
#: src/view/com/modals/UserAddRemoveLists.tsx:198
msgid "User list by {0}"
msgstr "Lista de usuários por {0}"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "Lista de usuários por <0/>"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "Sua lista de usuários"
@@ -5399,7 +4990,9 @@ msgstr "Listas de Usuários"
msgid "Username or email address"
msgstr "Nome de usuário ou endereço de e-mail"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Usuários"
@@ -5423,15 +5016,15 @@ msgstr "Conteúdo:"
msgid "Verify {0}"
msgstr "Verificar {0}"
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "Verificar e-mail"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Verificar meu e-mail"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Verificar Meu Email"
@@ -5444,9 +5037,9 @@ msgstr "Verificar Novo E-mail"
msgid "Verify Your Email"
msgstr "Verificar Seu E-mail"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
-msgstr ""
+msgstr "Versão {0}"
#: src/screens/Onboarding/index.tsx:42
msgid "Video Games"
@@ -5460,11 +5053,11 @@ msgstr "Ver o avatar de {0}"
msgid "View debug entry"
msgstr "Ver depuração"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr "Ver detalhes"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr "Ver detalhes para denunciar uma violação de copyright"
@@ -5476,6 +5069,8 @@ msgstr "Ver thread completa"
msgid "View information about these labels"
msgstr "Ver informações sobre estes rótulos"
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Ver perfil"
@@ -5488,7 +5083,7 @@ msgstr "Ver o avatar"
msgid "View the labeling service provided by @{0}"
msgstr "Ver este rotulador provido por @{0}"
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr "Ver usuários que curtiram este feed"
@@ -5512,10 +5107,6 @@ msgstr "Avisar"
msgid "Warn content and filter from feeds"
msgstr "Avisar e filtrar dos feeds"
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:134
-#~ msgid "We also think you'll like \"For You\" by Skygaze:"
-#~ msgstr "Também recomendamos o \"For You\", do Skygaze:"
-
#: src/screens/Hashtag.tsx:133
msgid "We couldn't find any results for that hashtag."
msgstr "Não encontramos nenhum post com esta hashtag."
@@ -5532,10 +5123,6 @@ msgstr "Esperamos que você se divirta. Lembre-se, o Bluesky é:"
msgid "We ran out of posts from your follows. Here's the latest from <0/>."
msgstr "Não temos mais posts de quem você segue. Aqui estão os mais novos de <0/>."
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:118
-#~ msgid "We recommend \"For You\" by Skygaze:"
-#~ msgstr "Recomendamos o \"Para você\", do Skygaze:"
-
#: src/components/dialogs/MutedWords.tsx:203
msgid "We recommend avoiding common words that appear in many posts, since it can result in no posts being shown."
msgstr "Não recomendamos utilizar palavras comuns que aparecem em muitos posts, já que isso pode resultar em filtrar todos eles."
@@ -5560,19 +5147,15 @@ msgstr "Não conseguimos conectar. Por favor, tente novamente para continuar con
msgid "We will let you know when your account is ready."
msgstr "Avisaremos quando sua conta estiver pronta."
-#: src/view/com/modals/AppealLabel.tsx:48
-#~ msgid "We'll look into your appeal promptly."
-#~ msgstr "Avaliaremos sua contestação o quanto antes."
-
#: src/screens/Onboarding/StepInterests/index.tsx:142
msgid "We'll use this to help customize your experience."
msgstr "Usaremos isto para customizar a sua experiência."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Estamos muito felizes em recebê-lo!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Tivemos um problema ao exibir esta lista. Se continuar acontecendo, contate o criador da lista: @{handleOrDid}."
@@ -5580,7 +5163,7 @@ msgstr "Tivemos um problema ao exibir esta lista. Se continuar acontecendo, cont
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "Não foi possível carregar sua lista de palavras silenciadas. Por favor, tente novamente."
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Lamentamos, mas sua busca não pôde ser concluída. Por favor, tente novamente em alguns minutos."
@@ -5589,7 +5172,7 @@ msgstr "Lamentamos, mas sua busca não pôde ser concluída. Por favor, tente no
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Sentimos muito! Não conseguimos encontrar a página que você estava procurando."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr "Sentimos muito! Você só pode se inscrever em até dez rotuladores e você já chegou ao máximo."
@@ -5601,12 +5184,8 @@ msgstr "Bem-vindo ao <0>Bluesky0>"
msgid "What are your interests?"
msgstr "Do que você gosta?"
-#: src/view/com/modals/report/Modal.tsx:169
-#~ msgid "What is the issue with this {collectionName}?"
-#~ msgstr "Qual é o problema com este {collectionName}?"
-
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "E aí?"
@@ -5701,15 +5280,15 @@ msgstr "Ninguém segue você ainda."
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "Você ainda não tem nenhum convite! Nós lhe enviaremos alguns quando você estiver há mais tempo no Bluesky."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "Você não tem feeds fixados."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "Você não tem feeds salvos!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "Você não tem feeds salvos."
@@ -5747,39 +5326,27 @@ msgstr "Você silenciou esta conta."
msgid "You have muted this user"
msgstr "Você silenciou este usuário."
-#: src/view/com/modals/ModerationDetails.tsx:87
-#~ msgid "You have muted this user."
-#~ msgstr "Você silenciou este usuário."
-
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "Você não tem feeds."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "Você não tem listas."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr "Você ainda não bloqueou nenhuma conta. Para bloquear uma conta, acesse um perfil e selecione \"Bloquear conta\" no menu."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
-#~ msgid "You have not blocked any accounts yet. To block an account, go to their profile and selected \"Block account\" from the menu on their account."
-#~ msgstr "Você ainda não bloqueou nenhuma conta. Para bloquear uma conta, acesse um perfil e selecione \"Bloquear conta\" no menu."
-
#: src/view/screens/AppPasswords.tsx:89
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Você ainda não criou nenhuma senha de aplicativo. Você pode criar uma pressionando o botão abaixo."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr "Você ainda não silenciou nenhuma conta. Para silenciar uma conta, acesse um perfil e selecione \"Silenciar conta\" no menu."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
-#~ msgid "You have not muted any accounts yet. To mute an account, go to their profile and selected \"Mute account\" from the menu on their account."
-#~ msgstr "Você ainda não silenciou nenhuma conta. Para silenciar uma conta, acesse um perfil e selecione \"Silenciar conta\" no menu."
-
#: src/components/dialogs/MutedWords.tsx:249
msgid "You haven't muted any words or tags yet"
msgstr "Você não silenciou nenhuma palavra ou tag ainda"
@@ -5790,25 +5357,21 @@ msgstr "Você pode contestar estes rótulos se você acha que estão errados."
#: src/screens/Signup/StepInfo/Policies.tsx:79
msgid "You must be 13 years of age or older to sign up."
-msgstr ""
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:175
-#~ msgid "You must be 18 or older to enable adult content."
-#~ msgstr "Você precisa ser maior de idade para habilitar conteúdo adulto."
+msgstr "Você precisa ter no mínimo 13 anos de idade para se cadastrar."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:110
msgid "You must be 18 years or older to enable adult content"
msgstr "Você precisa ser maior de idade para habilitar conteúdo adulto."
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr "Você deve selecionar no mínimo um rotulador"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Você não vai mais receber notificações desta thread"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Você vai receber notificações desta thread"
@@ -5839,7 +5402,7 @@ msgstr "Você escolheu esconder uma palavra ou tag deste post."
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Você chegou ao fim do seu feed! Encontre novas contas para seguir."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Sua conta"
@@ -5851,7 +5414,7 @@ msgstr "Sua conta foi excluída"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "O repositório da sua conta, contendo todos os seus dados públicos, pode ser baixado como um arquivo \"CAR\". Este arquivo não inclui imagens ou dados privados, estes devem ser exportados separadamente."
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "Sua data de nascimento"
@@ -5869,10 +5432,6 @@ msgstr "Seu feed inicial é o \"Seguindo\""
msgid "Your email appears to be invalid."
msgstr "Seu e-mail parece ser inválido."
-#: src/view/com/modals/Waitlist.tsx:109
-#~ msgid "Your email has been saved! We'll be in touch soon."
-#~ msgstr "Seu e-mail foi salvo! Logo entraremos em contato."
-
#: src/view/com/modals/ChangeEmail.tsx:125
msgid "Your email has been updated but not verified. As a next step, please verify your new email."
msgstr "Seu e-mail foi atualizado mas não foi verificado. Como próximo passo, por favor verifique seu novo e-mail."
@@ -5885,7 +5444,7 @@ msgstr "Seu e-mail ainda não foi verificado. Esta é uma etapa importante de se
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Seu feed inicial está vazio! Siga mais usuários para acompanhar o que está acontecendo."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Seu identificador completo será"
@@ -5893,12 +5452,6 @@ msgstr "Seu identificador completo será"
msgid "Your full handle will be <0>@{0}0>"
msgstr "Seu usuário completo será <0>@{0}0>"
-#: src/view/screens/Settings.tsx:430
-#: src/view/shell/desktop/RightNav.tsx:137
-#: src/view/shell/Drawer.tsx:660
-#~ msgid "Your invite codes are hidden when logged in using an App Password"
-#~ msgstr "Seus códigos de convite estão ocultos quando conectado com uma Senha do Aplicativo"
-
#: src/components/dialogs/MutedWords.tsx:220
msgid "Your muted words"
msgstr "Suas palavras silenciadas"
@@ -5917,7 +5470,7 @@ msgstr "Seu post foi publicado"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Suas postagens, curtidas e bloqueios são públicos. Silenciamentos são privados."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Seu perfil"
@@ -5925,6 +5478,6 @@ msgstr "Seu perfil"
msgid "Your reply has been published"
msgstr "Sua resposta foi publicada"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Seu identificador de usuário"
diff --git a/src/locale/locales/tr/messages.po b/src/locale/locales/tr/messages.po
index af50666ace..0dab4a72ad 100644
--- a/src/locale/locales/tr/messages.po
+++ b/src/locale/locales/tr/messages.po
@@ -21,6 +21,7 @@ msgstr "(e-posta yok)"
#~ msgid "{0, plural, one {# invite code available} other {# invite codes available}}"
#~ msgstr "{0, plural, one {# davet kodu mevcut} other {# davet kodları mevcut}}"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} takip ediliyor"
@@ -37,7 +38,7 @@ msgstr "{following} takip ediliyor"
#~ msgid "{invitesAvailable} invite codes available"
#~ msgstr "{invitesAvailable} davet kodları mevcut"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} okunmamış"
@@ -49,15 +50,20 @@ msgstr "<0/> üyeleri"
msgid "<0>{0}0> following"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>takip ediliyor1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Önerilen0><1>Feeds1><2>Seç2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Önerilen0><1>Kullanıcıları Takip Et1><2>Seç2>"
@@ -65,7 +71,7 @@ msgstr "<0>Önerilen0><1>Kullanıcıları Takip Et1><2>Seç2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Bluesky'e0><1>Hoşgeldiniz1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Geçersiz Kullanıcı Adı"
@@ -78,16 +84,16 @@ msgstr "⚠Geçersiz Kullanıcı Adı"
#~ msgstr "Uygulamanın yeni bir sürümü mevcut. Devam etmek için güncelleyin."
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Gezinme bağlantılarına ve ayarlara erişin"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Profil ve diğer gezinme bağlantılarına erişin"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Erişilebilirlik"
@@ -96,8 +102,8 @@ msgid "account"
msgstr ""
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Hesap"
@@ -147,7 +153,7 @@ msgstr "Hesap susturulması kaldırıldı"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Ekle"
@@ -155,13 +161,13 @@ msgstr "Ekle"
msgid "Add a content warning"
msgstr "Bir içerik uyarısı ekleyin"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Bu listeye bir kullanıcı ekleyin"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Hesap ekle"
@@ -247,11 +253,11 @@ msgid "Adult content is disabled."
msgstr ""
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Gelişmiş"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr ""
@@ -288,6 +294,8 @@ msgstr "Önceki adresinize, {0} bir e-posta gönderildi. Aşağıda girebileceğ
msgid "An issue not included in these options"
msgstr ""
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -295,7 +303,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr "Bir sorun oluştu, lütfen tekrar deneyin."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "ve"
@@ -324,13 +332,13 @@ msgstr "Uygulama Şifre adları yalnızca harfler, sayılar, boşluklar, tireler
msgid "App Password names must be at least 4 characters long."
msgstr "Uygulama Şifre adları en az 4 karakter uzunluğunda olmalıdır."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "Uygulama şifresi ayarları"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Uygulama Şifreleri"
@@ -363,7 +371,7 @@ msgstr ""
#~ msgid "Appeal this decision."
#~ msgstr "Bu karara itiraz et."
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Görünüm"
@@ -399,7 +407,7 @@ msgstr "Sanat"
msgid "Artistic or non-erotic nudity."
msgstr "Sanatsal veya erotik olmayan çıplaklık."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -414,7 +422,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Geri"
@@ -428,7 +436,7 @@ msgstr "Geri"
msgid "Based on your interest in {interestsText}"
msgstr "{interestsText} ilginize dayalı"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Temel"
@@ -436,11 +444,11 @@ msgstr "Temel"
msgid "Birthday"
msgstr "Doğum günü"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Doğum günü:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr ""
@@ -454,16 +462,16 @@ msgstr "Hesabı Engelle"
msgid "Block Account?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Hesapları engelle"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Listeyi engelle"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "Bu hesapları engelle?"
@@ -472,7 +480,7 @@ msgstr "Bu hesapları engelle?"
#~ msgstr "Bu Listeyi Engelle"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Engellendi"
@@ -481,7 +489,7 @@ msgid "Blocked accounts"
msgstr "Engellenen hesaplar"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Engellenen Hesaplar"
@@ -489,7 +497,7 @@ msgstr "Engellenen Hesaplar"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Engellenen hesaplar, konularınıza yanıt veremez, sizi bahsedemez veya başka şekilde sizinle etkileşime giremez."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Engellenen hesaplar, konularınıza yanıt veremez, sizi bahsedemez veya başka şekilde sizinle etkileşime giremez. Onların içeriğini görmeyeceksiniz ve onlar da sizinkini görmekten alıkonulacaklar."
@@ -497,11 +505,11 @@ msgstr "Engellenen hesaplar, konularınıza yanıt veremez, sizi bahsedemez veya
msgid "Blocked post."
msgstr "Engellenen gönderi."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr ""
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Engelleme herkese açıktır. Engellenen hesaplar, konularınıza yanıt veremez, sizi bahsedemez veya başka şekilde sizinle etkileşime giremez."
@@ -509,12 +517,10 @@ msgstr "Engelleme herkese açıktır. Engellenen hesaplar, konularınıza yanıt
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Blog"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -567,8 +573,7 @@ msgstr "Kitaplar"
#~ msgid "Build version {0} {1}"
#~ msgstr "Sürüm {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "İş"
@@ -630,7 +635,7 @@ msgstr "Yalnızca harfler, sayılar, boşluklar, tireler ve alt çizgiler içere
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "İptal"
@@ -680,17 +685,17 @@ msgstr ""
msgid "Change"
msgstr ""
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Değiştir"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Kullanıcı adını değiştir"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Kullanıcı Adını Değiştir"
@@ -698,12 +703,12 @@ msgstr "Kullanıcı Adını Değiştir"
msgid "Change my email"
msgstr "E-postamı değiştir"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Şifre değiştir"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Şifre Değiştir"
@@ -724,11 +729,11 @@ msgstr "E-postanızı Değiştirin"
msgid "Check my status"
msgstr "Durumumu kontrol et"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Bazı önerilen beslemelere göz atın. Eklemek için + simgesine dokunun."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Bazı önerilen kullanıcılara göz atın. Benzer kullanıcıları görmek için onları takip edin."
@@ -761,36 +766,36 @@ msgstr "Özel beslemelerle deneyiminizi destekleyen algoritmaları seçin."
msgid "Choose your main feeds"
msgstr "Ana beslemelerinizi seçin"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Şifrenizi seçin"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "Tüm eski depolama verilerini temizle"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "Tüm eski depolama verilerini temizle (bundan sonra yeniden başlat)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "Tüm depolama verilerini temizle"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "Tüm depolama verilerini temizle (bundan sonra yeniden başlat)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Arama sorgusunu temizle"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr ""
@@ -802,7 +807,7 @@ msgstr "buraya tıklayın"
msgid "Click here to open tag menu for {tag}"
msgstr ""
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr ""
@@ -836,7 +841,7 @@ msgstr "Resmi kapat"
msgid "Close image viewer"
msgstr "Resim görüntüleyiciyi kapat"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Gezinme altbilgisini kapat"
@@ -845,7 +850,7 @@ msgstr "Gezinme altbilgisini kapat"
msgid "Close this dialog"
msgstr ""
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Alt gezinme çubuğunu kapatır"
@@ -861,7 +866,7 @@ msgstr "Gönderi bestecisini kapatır ve gönderi taslağını siler"
msgid "Closes viewer for header image"
msgstr "Başlık resmi görüntüleyicisini kapatır"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Belirli bir bildirim için kullanıcı listesini daraltır"
@@ -882,7 +887,7 @@ msgstr "Topluluk Kuralları"
msgid "Complete onboarding and start using your account"
msgstr "Onboarding'i tamamlayın ve hesabınızı kullanmaya başlayın"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr ""
@@ -961,7 +966,7 @@ msgstr "Onay kodu"
msgid "Connecting..."
msgstr "Bağlanıyor..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Destek ile iletişime geçin"
@@ -1015,8 +1020,8 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Devam et"
@@ -1029,7 +1034,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Sonraki adıma devam et"
@@ -1050,17 +1055,21 @@ msgstr "Yemek pişirme"
msgid "Copied"
msgstr "Kopyalandı"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Sürüm numarası panoya kopyalandı"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "Panoya kopyalandı"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Uygulama şifresini kopyalar"
@@ -1073,12 +1082,17 @@ msgstr "Kopyala"
msgid "Copy {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Liste bağlantısını kopyala"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Gönderi bağlantısını kopyala"
@@ -1086,8 +1100,8 @@ msgstr "Gönderi bağlantısını kopyala"
#~ msgid "Copy link to profile"
#~ msgstr "Profili bağlantısını kopyala"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Gönderi metnini kopyala"
@@ -1100,7 +1114,7 @@ msgstr "Telif Hakkı Politikası"
msgid "Could not load feed"
msgstr "Besleme yüklenemedi"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "Liste yüklenemedi"
@@ -1108,31 +1122,34 @@ msgstr "Liste yüklenemedi"
#~ msgid "Country"
#~ msgstr "Ülke"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Yeni bir hesap oluştur"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Yeni bir Bluesky hesabı oluştur"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Hesap Oluştur"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "Uygulama Şifresi Oluştur"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Yeni hesap oluştur"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr ""
@@ -1166,7 +1183,7 @@ msgid "Custom domain"
msgstr "Özel alan adı"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "Topluluk tarafından oluşturulan özel beslemeler size yeni deneyimler sunar ve sevdiğiniz içeriği bulmanıza yardımcı olur."
@@ -1174,8 +1191,8 @@ msgstr "Topluluk tarafından oluşturulan özel beslemeler size yeni deneyimler
msgid "Customize media from external sites."
msgstr "Harici sitelerden medyayı özelleştirin."
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Karanlık"
@@ -1183,15 +1200,15 @@ msgstr "Karanlık"
msgid "Dark mode"
msgstr "Karanlık mod"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Karanlık Tema"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1199,13 +1216,13 @@ msgstr ""
msgid "Debug panel"
msgstr "Hata ayıklama paneli"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr ""
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Hesabı sil"
@@ -1221,7 +1238,7 @@ msgstr "Uygulama şifresini sil"
msgid "Delete app password?"
msgstr ""
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Listeyi Sil"
@@ -1229,24 +1246,24 @@ msgstr "Listeyi Sil"
msgid "Delete my account"
msgstr "Hesabımı sil"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Hesabımı Sil…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Gönderiyi sil"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "Bu gönderiyi sil?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Silindi"
@@ -1269,10 +1286,18 @@ msgstr "Açıklama"
msgid "Did you want to say anything?"
msgstr "Bir şey söylemek istediniz mi?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Karart"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1306,7 +1331,7 @@ msgstr "Yeni özel beslemeler keşfet"
#~ msgid "Discover new feeds"
#~ msgstr "Yeni beslemeler keşfet"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr ""
@@ -1326,7 +1351,7 @@ msgstr ""
msgid "Does not include nudity."
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1342,19 +1367,6 @@ msgstr "Alan adı doğrulandı!"
#~ msgid "Don't have an invite code?"
#~ msgstr "Davet kodunuz yok mu?"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
-#: src/view/com/modals/EditImage.tsx:334
-#: src/view/com/modals/ListAddRemoveUsers.tsx:144
-#: src/view/com/modals/SelfLabel.tsx:157
-#: src/view/com/modals/Threadgate.tsx:129
-#: src/view/com/modals/Threadgate.tsx:132
-#: src/view/com/modals/UserAddRemoveLists.tsx:95
-#: src/view/com/modals/UserAddRemoveLists.tsx:98
-#: src/view/screens/PreferencesThreads.tsx:162
-msgctxt "action"
-msgid "Done"
-msgstr "Tamam"
-
#: src/components/dialogs/BirthDateSettings.tsx:119
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/components/forms/DateField/index.tsx:74
@@ -1373,6 +1385,19 @@ msgstr "Tamam"
msgid "Done"
msgstr "Tamam"
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
+#: src/view/com/modals/EditImage.tsx:334
+#: src/view/com/modals/ListAddRemoveUsers.tsx:144
+#: src/view/com/modals/SelfLabel.tsx:157
+#: src/view/com/modals/Threadgate.tsx:129
+#: src/view/com/modals/Threadgate.tsx:132
+#: src/view/com/modals/UserAddRemoveLists.tsx:95
+#: src/view/com/modals/UserAddRemoveLists.tsx:98
+#: src/view/screens/PreferencesThreads.tsx:162
+msgctxt "action"
+msgid "Done"
+msgstr "Tamam"
+
#: src/view/com/modals/lang-settings/ConfirmLanguagesButton.tsx:43
msgid "Done{extraText}"
msgstr "Tamam{extraText}"
@@ -1439,7 +1464,7 @@ msgctxt "action"
msgid "Edit"
msgstr "Düzenle"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr ""
@@ -1449,7 +1474,7 @@ msgstr ""
msgid "Edit image"
msgstr "Resmi düzenle"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Liste ayrıntılarını düzenle"
@@ -1458,8 +1483,8 @@ msgid "Edit Moderation List"
msgstr "Düzenleme Listesini Düzenle"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Beslemelerimi Düzenle"
@@ -1467,18 +1492,18 @@ msgstr "Beslemelerimi Düzenle"
msgid "Edit my profile"
msgstr "Profilimi düzenle"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Profil düzenle"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Profil Düzenle"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Kayıtlı Beslemeleri Düzenle"
@@ -1520,10 +1545,24 @@ msgstr "E-posta Güncellendi"
msgid "Email verified"
msgstr "E-posta doğrulandı"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "E-posta:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Yalnızca {0} etkinleştir"
@@ -1566,7 +1605,7 @@ msgstr ""
msgid "Enabled"
msgstr ""
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Beslemenin sonu"
@@ -1608,7 +1647,7 @@ msgstr "Doğum tarihinizi girin"
#~ msgstr "E-posta adresinizi girin"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "E-posta adresinizi girin"
@@ -1632,7 +1671,7 @@ msgstr "Kullanıcı adınızı ve şifrenizi girin"
msgid "Error receiving captcha response."
msgstr ""
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Hata:"
@@ -1673,8 +1712,8 @@ msgstr "Arama sorgusu girişinden çıkar"
msgid "Expand alt text"
msgstr "Alternatif metni genişlet"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Yanıt verdiğiniz tam gönderiyi genişletin veya daraltın"
@@ -1686,12 +1725,12 @@ msgstr ""
msgid "Explicit sexual images."
msgstr ""
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr ""
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr ""
@@ -1707,11 +1746,11 @@ msgstr "Harici medya, web sitelerinin siz ve cihazınız hakkında bilgi toplama
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Harici Medya Tercihleri"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Harici medya ayarları"
@@ -1724,12 +1763,12 @@ msgstr "Uygulama şifresi oluşturulamadı."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "Liste oluşturulamadı. İnternet bağlantınızı kontrol edin ve tekrar deneyin."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "Gönderi silinemedi, lütfen tekrar deneyin"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Önerilen beslemeler yüklenemedi"
@@ -1745,7 +1784,7 @@ msgstr "Besleme"
msgid "Feed by {0}"
msgstr "{0} tarafından besleme"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Besleme çevrimdışı"
@@ -1754,26 +1793,26 @@ msgstr "Besleme çevrimdışı"
#~ msgstr "Besleme Tercihleri"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Geribildirim"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Beslemeler"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Beslemeler, içerikleri düzenlemek için kullanıcılar tarafından oluşturulur. İlginizi çeken bazı beslemeler seçin."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Beslemeler, kullanıcıların biraz kodlama uzmanlığı ile oluşturduğu özel algoritmalardır. Daha fazla bilgi için <0/>."
@@ -1799,11 +1838,11 @@ msgstr "Tamamlanıyor"
msgid "Find accounts to follow"
msgstr "Takip edilecek hesaplar bul"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Bluesky'da kullanıcı bul"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Sağdaki arama aracıyla kullanıcı bul"
@@ -1840,16 +1879,16 @@ msgstr "Yatay çevir"
msgid "Flip vertically"
msgstr "Dikey çevir"
-#: src/view/com/profile/FollowButton.tsx:69
-msgctxt "action"
-msgid "Follow"
-msgstr "Takip et"
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
+msgid "Follow"
+msgstr "Takip et"
+
+#: src/view/com/profile/FollowButton.tsx:69
+msgctxt "action"
msgid "Follow"
msgstr "Takip et"
@@ -1876,11 +1915,11 @@ msgstr ""
msgid "Follow selected accounts and continue to the next step"
msgstr "Seçili hesapları takip edin ve sonraki adıma devam edin"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Başlamak için bazı kullanıcıları takip edin. Sizi ilginç bulduğunuz kişilere dayanarak size daha fazla kullanıcı önerebiliriz."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "{0} tarafından takip ediliyor"
@@ -1892,7 +1931,7 @@ msgstr "Takip edilen kullanıcılar"
msgid "Followed users only"
msgstr "Yalnızca takip edilen kullanıcılar"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "sizi takip etti"
@@ -1901,7 +1940,7 @@ msgstr "sizi takip etti"
msgid "Followers"
msgstr "Takipçiler"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1912,15 +1951,15 @@ msgstr "Takip edilenler"
msgid "Following {0}"
msgstr "{0} takip ediliyor"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr ""
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr ""
@@ -1928,7 +1967,7 @@ msgstr ""
msgid "Follows you"
msgstr "Sizi takip ediyor"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Sizi Takip Ediyor"
@@ -1974,7 +2013,7 @@ msgstr ""
msgid "From @{sanitizedAuthor}"
msgstr ""
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "<0/> tarafından"
@@ -1998,7 +2037,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Geri git"
@@ -2008,15 +2047,15 @@ msgstr "Geri git"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Geri Git"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "Önceki adıma geri dön"
@@ -2028,7 +2067,7 @@ msgstr ""
msgid "Go Home"
msgstr ""
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "@{queryMaybeHandle} adresine git"
@@ -2054,16 +2093,16 @@ msgstr ""
msgid "Hashtag"
msgstr ""
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr ""
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "Sorun mu yaşıyorsunuz?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Yardım"
@@ -2092,17 +2131,17 @@ msgstr "İşte uygulama şifreniz."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Gizle"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "Gizle"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "Gönderiyi gizle"
@@ -2111,11 +2150,11 @@ msgstr "Gönderiyi gizle"
msgid "Hide the content"
msgstr "İçeriği gizle"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "Bu gönderiyi gizle?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "Kullanıcı listesini gizle"
@@ -2151,11 +2190,11 @@ msgstr ""
msgid "Hmmmm, we couldn't load that moderation service."
msgstr ""
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "Ana Sayfa"
@@ -2204,11 +2243,11 @@ msgstr "Hiçbiri seçilmezse, tüm yaşlar için uygun."
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr ""
@@ -2292,7 +2331,7 @@ msgstr "Şifrenizi girin"
msgid "Input your preferred hosting provider"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Kullanıcı adınızı girin"
@@ -2336,8 +2375,7 @@ msgstr "Davet kodları: 1 kullanılabilir"
msgid "It shows posts from the people you follow as they happen."
msgstr "Takip ettiğiniz kişilerin gönderilerini olduğu gibi gösterir."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "İşler"
@@ -2370,11 +2408,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2394,7 +2432,7 @@ msgstr ""
msgid "Language selection"
msgstr "Dil seçimi"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Dil ayarları"
@@ -2403,7 +2441,7 @@ msgstr "Dil ayarları"
msgid "Language Settings"
msgstr "Dil Ayarları"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Diller"
@@ -2411,6 +2449,10 @@ msgstr "Diller"
#~ msgid "Last step!"
#~ msgstr "Son adım!"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/view/com/util/moderation/ContentHider.tsx:103
#~ msgid "Learn more"
#~ msgstr "Daha fazla bilgi edinin"
@@ -2449,7 +2491,7 @@ msgstr "Bluesky'dan ayrılıyor"
msgid "left to go."
msgstr "kaldı."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "Eski depolama temizlendi, şimdi uygulamayı yeniden başlatmanız gerekiyor."
@@ -2466,16 +2508,16 @@ msgstr "Hadi gidelim!"
#~ msgid "Library"
#~ msgstr "Kütüphane"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Açık"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "Beğen"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Bu beslemeyi beğen"
@@ -2499,21 +2541,21 @@ msgstr "{0} {1} tarafından beğenildi"
msgid "Liked by {count} {0}"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "{likeCount} {0} tarafından beğenildi"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "özel beslemenizi beğendi"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "gönderinizi beğendi"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Beğeniler"
@@ -2529,7 +2571,7 @@ msgstr "Liste"
msgid "List Avatar"
msgstr "Liste Avatarı"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Liste engellendi"
@@ -2537,11 +2579,11 @@ msgstr "Liste engellendi"
msgid "List by {0}"
msgstr "{0} tarafından liste"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Liste silindi"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Liste sessize alındı"
@@ -2549,20 +2591,20 @@ msgstr "Liste sessize alındı"
msgid "List Name"
msgstr "Liste Adı"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Liste engeli kaldırıldı"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Liste sessizden çıkarıldı"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Listeler"
@@ -2575,10 +2617,10 @@ msgstr "Listeler"
msgid "Load new notifications"
msgstr "Yeni bildirimleri yükle"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Yeni gönderileri yükle"
@@ -2621,7 +2663,7 @@ msgstr "Bu gitmek istediğiniz yer olduğundan emin olun!"
msgid "Manage your muted words and tags"
msgstr ""
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Medya"
@@ -2634,7 +2676,7 @@ msgid "Mentioned users"
msgstr "Bahsedilen kullanıcılar"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Menü"
@@ -2648,10 +2690,10 @@ msgstr ""
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Moderasyon"
@@ -2664,13 +2706,13 @@ msgstr ""
msgid "Moderation list by {0}"
msgstr "{0} tarafından moderasyon listesi"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "<0/> tarafından moderasyon listesi"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Sizin tarafınızdan moderasyon listesi"
@@ -2691,7 +2733,7 @@ msgstr "Moderasyon listeleri"
msgid "Moderation Lists"
msgstr "Moderasyon Listeleri"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Moderasyon ayarları"
@@ -2708,7 +2750,7 @@ msgstr ""
msgid "Moderator has chosen to set a general warning on the content."
msgstr "Moderatör, içeriğe genel bir uyarı koymayı seçti."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr ""
@@ -2716,7 +2758,7 @@ msgstr ""
msgid "More feeds"
msgstr "Daha fazla besleme"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Daha fazla seçenek"
@@ -2741,7 +2783,7 @@ msgstr ""
msgid "Mute Account"
msgstr "Hesabı Sessize Al"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Hesapları sessize al"
@@ -2757,12 +2799,12 @@ msgstr ""
msgid "Mute in text & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Listeyi sessize al"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "Bu hesapları sessize al?"
@@ -2778,13 +2820,13 @@ msgstr ""
msgid "Mute this word in tags only"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Konuyu sessize al"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr ""
@@ -2797,11 +2839,11 @@ msgid "Muted accounts"
msgstr "Sessize alınan hesaplar"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Sessize Alınan Hesaplar"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Sessize alınan hesapların gönderileri beslemenizden ve bildirimlerinizden kaldırılır. Sessizlik tamamen özeldir."
@@ -2813,7 +2855,7 @@ msgstr ""
msgid "Muted words & tags"
msgstr ""
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Sessizlik özeldir. Sessize alınan hesaplar sizinle etkileşime geçebilir, ancak gönderilerini görmeyecek ve onlardan bildirim almayacaksınız."
@@ -2822,7 +2864,7 @@ msgstr "Sessizlik özeldir. Sessize alınan hesaplar sizinle etkileşime geçebi
msgid "My Birthday"
msgstr "Doğum Günüm"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Beslemelerim"
@@ -2830,11 +2872,11 @@ msgstr "Beslemelerim"
msgid "My Profile"
msgstr "Profilim"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "Kayıtlı Beslemelerim"
@@ -2858,7 +2900,7 @@ msgid "Nature"
msgstr "Doğa"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Sonraki ekrana yönlendirir"
@@ -2867,7 +2909,7 @@ msgstr "Sonraki ekrana yönlendirir"
msgid "Navigates to your profile"
msgstr "Profilinize yönlendirir"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr ""
@@ -2915,12 +2957,12 @@ msgctxt "action"
msgid "New post"
msgstr "Yeni gönderi"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Yeni gönderi"
@@ -2944,12 +2986,12 @@ msgstr "Haberler"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -2973,8 +3015,8 @@ msgstr "Sonraki resim"
msgid "No"
msgstr "Hayır"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Açıklama yok"
@@ -2986,7 +3028,7 @@ msgstr ""
msgid "No longer following {0}"
msgstr "{0} artık takip edilmiyor"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -3003,13 +3045,13 @@ msgstr "Sonuç yok"
msgid "No results found"
msgstr ""
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "\"{query}\" için sonuç bulunamadı"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "{query} için sonuç bulunamadı"
@@ -3036,7 +3078,7 @@ msgid "Not Applicable."
msgstr "Uygulanamaz."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "Bulunamadı"
@@ -3046,8 +3088,8 @@ msgid "Not right now"
msgstr "Şu anda değil"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -3055,13 +3097,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Not: Bluesky açık ve kamusal bir ağdır. Bu ayar yalnızca içeriğinizin Bluesky uygulaması ve web sitesindeki görünürlüğünü sınırlar, diğer uygulamalar bu ayarı dikkate almayabilir. İçeriğiniz hala diğer uygulamalar ve web siteleri tarafından çıkış yapan kullanıcılara gösterilebilir."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Bildirimler"
@@ -3073,7 +3115,7 @@ msgstr "Çıplaklık"
msgid "Nudity or adult content not labeled as such"
msgstr ""
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -3090,7 +3132,7 @@ msgid "Oh no! Something went wrong."
msgstr "Oh hayır! Bir şeyler yanlış gitti."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr ""
@@ -3102,7 +3144,7 @@ msgstr "Tamam"
msgid "Oldest replies first"
msgstr "En eski yanıtlar önce"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Onboarding sıfırlama"
@@ -3114,7 +3156,7 @@ msgstr "Bir veya daha fazla resimde alternatif metin eksik."
msgid "Only {0} can reply."
msgstr "Yalnızca {0} yanıtlayabilir."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -3124,7 +3166,7 @@ msgstr ""
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Hata!"
@@ -3137,11 +3179,11 @@ msgstr "Aç"
msgid "Open emoji picker"
msgstr "Emoji seçiciyi aç"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Uygulama içi tarayıcıda bağlantıları aç"
@@ -3149,20 +3191,20 @@ msgstr "Uygulama içi tarayıcıda bağlantıları aç"
msgid "Open muted words and tags settings"
msgstr ""
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Navigasyonu aç"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Storybook sayfasını aç"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr ""
@@ -3174,7 +3216,7 @@ msgstr "{numItems} seçeneği açar"
msgid "Opens additional details for a debug entry"
msgstr "Hata ayıklama girişi için ek ayrıntıları açar"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "Bu bildirimdeki kullanıcıların genişletilmiş bir listesini açar"
@@ -3186,7 +3228,7 @@ msgstr "Cihazdaki kamerayı açar"
msgid "Opens composer"
msgstr "Besteciyi açar"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Yapılandırılabilir dil ayarlarını açar"
@@ -3198,19 +3240,17 @@ msgstr "Cihaz fotoğraf galerisini açar"
#~ msgid "Opens editor for profile display name, avatar, background image, and description"
#~ msgstr "Profil görüntü adı, avatar, arka plan resmi ve açıklama için düzenleyiciyi açar"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Harici gömülü ayarları açar"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr ""
@@ -3230,7 +3270,7 @@ msgstr ""
msgid "Opens list of invite codes"
msgstr "Davet kodu listesini açar"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
@@ -3238,19 +3278,19 @@ msgstr ""
#~ msgid "Opens modal for account deletion confirmation. Requires email code."
#~ msgstr "Hesap silme onayı için modalı açar. E-posta kodu gerektirir."
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3258,7 +3298,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr "Özel alan adı kullanımı için modalı açar"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Moderasyon ayarlarını açar"
@@ -3266,16 +3306,16 @@ msgstr "Moderasyon ayarlarını açar"
msgid "Opens password reset form"
msgstr "Şifre sıfırlama formunu açar"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Kayıtlı Beslemeleri düzenlemek için ekranı açar"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Tüm kayıtlı beslemeleri içeren ekrana açar"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr ""
@@ -3283,7 +3323,7 @@ msgstr ""
#~ msgid "Opens the app password settings page"
#~ msgstr "Uygulama şifre ayarları sayfasını açar"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr ""
@@ -3295,16 +3335,16 @@ msgstr ""
msgid "Opens the linked website"
msgstr ""
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "Storybook sayfasını açar"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Sistem log sayfasını açar"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Konu tercihlerini açar"
@@ -3312,7 +3352,7 @@ msgstr "Konu tercihlerini açar"
msgid "Option {0} of {numItems}"
msgstr "{0} seçeneği, {numItems} seçenekten"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr ""
@@ -3346,7 +3386,7 @@ msgid "Page Not Found"
msgstr "Sayfa Bulunamadı"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3364,6 +3404,11 @@ msgstr "Şifre güncellendi"
msgid "Password updated!"
msgstr "Şifre güncellendi!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "@{0} tarafından takip edilenler"
@@ -3392,16 +3437,16 @@ msgstr "Evcil Hayvanlar"
msgid "Pictures meant for adults."
msgstr "Yetişkinler için resimler."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "Ana ekrana sabitle"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Sabitleme Beslemeleri"
@@ -3512,7 +3557,7 @@ msgstr "{0} tarafından gönderi"
msgid "Post by @{0}"
msgstr "@{0} tarafından gönderi"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Gönderi silindi"
@@ -3547,7 +3592,8 @@ msgstr "Gönderi bulunamadı"
msgid "posts"
msgstr ""
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Gönderiler"
@@ -3563,13 +3609,13 @@ msgstr "Gönderiler gizlendi"
msgid "Potentially Misleading Link"
msgstr "Potansiyel Yanıltıcı Bağlantı"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr ""
@@ -3585,7 +3631,7 @@ msgstr "Birincil Dil"
msgid "Prioritize Your Follows"
msgstr "Takipçilerinizi Önceliklendirin"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Gizlilik"
@@ -3593,8 +3639,8 @@ msgstr "Gizlilik"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Gizlilik Politikası"
@@ -3603,15 +3649,15 @@ msgid "Processing..."
msgstr "İşleniyor..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Profil"
@@ -3619,7 +3665,7 @@ msgstr "Profil"
msgid "Profile updated"
msgstr "Profil güncellendi"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "E-postanızı doğrulayarak hesabınızı koruyun."
@@ -3665,15 +3711,15 @@ msgstr "Rastgele (yani \"Gönderenin Ruleti\")"
msgid "Ratios"
msgstr "Oranlar"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Önerilen Beslemeler"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Önerilen Kullanıcılar"
@@ -3694,7 +3740,7 @@ msgstr "Kaldır"
msgid "Remove account"
msgstr "Hesabı kaldır"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr ""
@@ -3712,8 +3758,8 @@ msgstr ""
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Beslemelerimden kaldır"
@@ -3758,7 +3804,7 @@ msgstr "Listeden kaldırıldı"
msgid "Removed from my feeds"
msgstr "Beslemelerimden kaldırıldı"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr ""
@@ -3766,7 +3812,7 @@ msgstr ""
msgid "Removes default thumbnail from {0}"
msgstr "{0} adresinden varsayılan küçük resmi kaldırır"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Yanıtlar"
@@ -3783,8 +3829,8 @@ msgstr "Yanıtla"
msgid "Reply Filters"
msgstr "Yanıt Filtreleri"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "<0/>'a yanıt"
@@ -3802,17 +3848,17 @@ msgstr "Hesabı Raporla"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Beslemeyi raporla"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Listeyi Raporla"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Gönderiyi raporla"
@@ -3857,15 +3903,19 @@ msgstr "Gönderiyi yeniden gönder veya alıntıla"
msgid "Reposted By"
msgstr "Yeniden Gönderen"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "{0} tarafından yeniden gönderildi"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "<0/>'a yeniden gönderildi"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "<0/>'a yeniden gönderildi"
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
+
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "gönderinizi yeniden gönderdi"
@@ -3887,7 +3937,7 @@ msgstr "Değişiklik İste"
msgid "Request Code"
msgstr "Kod İste"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Göndermeden önce alternatif metin gerektir"
@@ -3907,8 +3957,8 @@ msgstr "Sıfırlama Kodu"
#~ msgid "Reset onboarding"
#~ msgstr "Onboarding sıfırla"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "Onboarding durumunu sıfırla"
@@ -3920,16 +3970,16 @@ msgstr "Şifreyi sıfırla"
#~ msgid "Reset preferences"
#~ msgstr "Tercihleri sıfırla"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "Tercih durumunu sıfırla"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "Onboarding durumunu sıfırlar"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "Tercih durumunu sıfırlar"
@@ -3948,7 +3998,7 @@ msgstr "Son hataya neden olan son eylemi tekrarlar"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
@@ -3959,7 +4009,7 @@ msgstr "Tekrar dene"
#~ msgstr "Tekrar dene."
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Önceki sayfaya dön"
@@ -3976,12 +4026,6 @@ msgstr ""
#~ msgid "SANDBOX. Posts and accounts are not permanent."
#~ msgstr "KUM KUTUSU. Gönderiler ve hesaplar kalıcı değildir."
-#: src/view/com/lightbox/Lightbox.tsx:132
-#: src/view/com/modals/CreateOrEditList.tsx:346
-msgctxt "action"
-msgid "Save"
-msgstr "Kaydet"
-
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/view/com/modals/ChangeHandle.tsx:174
#: src/view/com/modals/CreateOrEditList.tsx:338
@@ -3989,6 +4033,12 @@ msgstr "Kaydet"
msgid "Save"
msgstr "Kaydet"
+#: src/view/com/lightbox/Lightbox.tsx:132
+#: src/view/com/modals/CreateOrEditList.tsx:346
+msgctxt "action"
+msgid "Save"
+msgstr "Kaydet"
+
#: src/view/com/modals/AltImage.tsx:131
msgid "Save alt text"
msgstr "Alternatif metni kaydet"
@@ -4009,12 +4059,12 @@ msgstr "Kullanıcı adı değişikliğini kaydet"
msgid "Save image crop"
msgstr "Resim kırpma kaydet"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Kayıtlı Beslemeler"
@@ -4022,7 +4072,7 @@ msgstr "Kayıtlı Beslemeler"
msgid "Saved to your camera roll."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr ""
@@ -4042,28 +4092,28 @@ msgstr ""
msgid "Science"
msgstr "Bilim"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Başa kaydır"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Ara"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "\"{query}\" için ara"
@@ -4102,13 +4152,18 @@ msgstr ""
msgid "See <0>{displayTag}0> posts by this user"
msgstr ""
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Bu kılavuzu gör"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Ne olduğunu gör"
+#~ msgid "See what's next"
+#~ msgstr "Ne olduğunu gör"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4147,7 +4202,7 @@ msgstr "{i} seçeneği, {numItems} seçenekten"
msgid "Select some accounts below to follow"
msgstr "Aşağıdaki hesaplardan bazılarını takip et"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4175,7 +4230,7 @@ msgstr "Abone olduğunuz beslemelerin hangi dilleri içermesini istediğinizi se
msgid "Select your app language for the default text to display in the app."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4213,13 +4268,13 @@ msgctxt "action"
msgid "Send Email"
msgstr "E-posta Gönder"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Geribildirim gönder"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr ""
@@ -4313,23 +4368,23 @@ msgstr "Hesabınızı ayarlayın"
msgid "Sets Bluesky username"
msgstr "Bluesky kullanıcı adını ayarlar"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr ""
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr ""
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr ""
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr ""
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr ""
@@ -4359,10 +4414,10 @@ msgstr ""
#~ msgstr "Bluesky istemcisi için sunucuyu ayarlar"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Ayarlar"
@@ -4381,21 +4436,21 @@ msgstr "Paylaş"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Paylaş"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Beslemeyi paylaş"
@@ -4412,7 +4467,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Göster"
@@ -4442,9 +4497,9 @@ msgstr ""
msgid "Show follows similar to {0}"
msgstr "{0} adresine benzer takipçileri göster"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Daha Fazla Göster"
@@ -4501,7 +4556,7 @@ msgstr "Takip etme beslemesinde yeniden göndermeleri göster"
msgid "Show the content"
msgstr "İçeriği göster"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Kullanıcıları göster"
@@ -4521,24 +4576,24 @@ msgstr ""
msgid "Shows posts from {0} in your feed"
msgstr "Beslemenizde {0} adresinden gönderileri gösterir"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Giriş yap"
@@ -4556,28 +4611,36 @@ msgstr "{0} olarak giriş yap"
msgid "Sign in as..."
msgstr "Olarak giriş yap..."
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:134
#~ msgid "Sign into"
#~ msgstr "Olarak giriş yap"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Çıkış yap"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Kaydol"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Konuşmaya katılmak için kaydolun veya giriş yapın"
@@ -4586,7 +4649,7 @@ msgstr "Konuşmaya katılmak için kaydolun veya giriş yapın"
msgid "Sign-in Required"
msgstr "Giriş Yapılması Gerekiyor"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Olarak giriş yapıldı"
@@ -4622,7 +4685,7 @@ msgstr "Yazılım Geliştirme"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr ""
@@ -4630,7 +4693,7 @@ msgstr ""
#~ msgid "Something went wrong. Check your email and try again."
#~ msgstr "Bir şeyler yanlış gitti. E-postanızı kontrol edin ve tekrar deneyin."
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "Üzgünüz! Oturumunuzun süresi doldu. Lütfen tekrar giriş yapın."
@@ -4666,11 +4729,11 @@ msgstr "Kare"
#~ msgid "Staging"
#~ msgstr "Staging"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Durum sayfası"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4678,12 +4741,12 @@ msgstr ""
#~ msgid "Step {0} of {numSteps}"
#~ msgstr "{numSteps} adımdan {0}. adım"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "Depolama temizlendi, şimdi uygulamayı yeniden başlatmanız gerekiyor."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Storybook"
@@ -4692,15 +4755,15 @@ msgstr "Storybook"
msgid "Submit"
msgstr "Submit"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Abone ol"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4709,15 +4772,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr "{0} beslemesine abone ol"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Bu listeye abone ol"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Önerilen Takipçiler"
@@ -4744,19 +4807,19 @@ msgstr "Destek"
msgid "Switch Account"
msgstr "Hesap Değiştir"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "{0} adresine geç"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Giriş yaptığınız hesabı değiştirir"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "Sistem"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Sistem günlüğü"
@@ -4786,9 +4849,9 @@ msgstr "Şartlar"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Hizmet Şartları"
@@ -4806,7 +4869,7 @@ msgstr ""
msgid "Text input field"
msgstr "Metin giriş alanı"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr ""
@@ -4814,11 +4877,11 @@ msgstr ""
msgid "That contains the following:"
msgstr ""
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "Hesap, engeli kaldırdıktan sonra sizinle etkileşime geçebilecek."
@@ -4868,8 +4931,8 @@ msgstr "Hizmet Şartları taşındı"
msgid "There are many feeds to try:"
msgstr "Denemek için birçok besleme var:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Sunucuya ulaşma konusunda bir sorun oluştu, lütfen internet bağlantınızı kontrol edin ve tekrar deneyin."
@@ -4877,15 +4940,15 @@ msgstr "Sunucuya ulaşma konusunda bir sorun oluştu, lütfen internet bağlant
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Bu beslemeyi kaldırma konusunda bir sorun oluştu. Lütfen internet bağlantınızı kontrol edin ve tekrar deneyin."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Beslemelerinizi güncelleme konusunda bir sorun oluştu, lütfen internet bağlantınızı kontrol edin ve tekrar deneyin."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "Sunucuya ulaşma konusunda bir sorun oluştu"
@@ -4908,12 +4971,12 @@ msgstr "Gönderileri almakta bir sorun oluştu. Tekrar denemek için buraya doku
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Listeyi almakta bir sorun oluştu. Tekrar denemek için buraya dokunun."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Listelerinizi almakta bir sorun oluştu. Tekrar denemek için buraya dokunun."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr ""
@@ -4939,10 +5002,10 @@ msgstr "Uygulama şifrelerinizi almakta bir sorun oluştu"
msgid "There was an issue! {0}"
msgstr "Bir sorun oluştu! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Bir sorun oluştu. Lütfen internet bağlantınızı kontrol edin ve tekrar deneyin."
@@ -5003,9 +5066,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Bu besleme şu anda yüksek trafik alıyor ve geçici olarak kullanılamıyor. Lütfen daha sonra tekrar deneyin."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Bu besleme boş!"
@@ -5025,7 +5088,7 @@ msgstr "Bu, e-postanızı değiştirmeniz veya şifrenizi sıfırlamanız gerekt
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -5033,7 +5096,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr "Bu bağlantı sizi aşağıdaki web sitesine götürüyor:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "Bu liste boş!"
@@ -5049,12 +5112,12 @@ msgstr "Bu isim zaten kullanılıyor"
msgid "This post has been deleted."
msgstr "Bu gönderi silindi."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr ""
@@ -5115,12 +5178,12 @@ msgstr ""
#~ msgid "This will hide this post from your feeds."
#~ msgstr "Bu, bu gönderiyi beslemelerinizden gizleyecektir."
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr ""
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Konu Tercihleri"
@@ -5148,14 +5211,18 @@ msgstr "Açılır menüyü aç/kapat"
msgid "Toggle to enable or disable adult content"
msgstr ""
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Dönüşümler"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Çevir"
@@ -5168,11 +5235,11 @@ msgstr "Tekrar dene"
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Listeyi engeli kaldır"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Listeyi sessizden çıkar"
@@ -5180,15 +5247,15 @@ msgstr "Listeyi sessizden çıkar"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "Hizmetinize ulaşılamıyor. Lütfen internet bağlantınızı kontrol edin."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Engeli kaldır"
@@ -5202,7 +5269,7 @@ msgstr "Engeli kaldır"
msgid "Unblock Account"
msgstr "Hesabın engelini kaldır"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr ""
@@ -5215,7 +5282,7 @@ msgid "Undo repost"
msgstr "Yeniden göndermeyi geri al"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr ""
@@ -5237,16 +5304,16 @@ msgstr ""
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "Üzgünüz, bir hesap oluşturmak için gerekleri karşılamıyorsunuz."
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "Beğenmeyi geri al"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr ""
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Sessizden çıkar"
@@ -5263,21 +5330,21 @@ msgstr "Hesabın sessizliğini kaldır"
msgid "Unmute all {displayTag} posts"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Konunun sessizliğini kaldır"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Sabitlemeyi kaldır"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr ""
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Moderasyon listesini sabitlemeyi kaldır"
@@ -5285,11 +5352,11 @@ msgstr "Moderasyon listesini sabitlemeyi kaldır"
#~ msgid "Unsave"
#~ msgstr "Kaydedilenlerden kaldır"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5317,20 +5384,20 @@ msgstr "Güncelleniyor..."
msgid "Upload a text file to:"
msgstr "Bir metin dosyası yükleyin:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5408,13 +5475,13 @@ msgstr "Kullanıcı Sizi Engelledi"
msgid "User list by {0}"
msgstr "{0} tarafından oluşturulan kullanıcı listesi"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "<0/> tarafından oluşturulan kullanıcı listesi"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "Sizin tarafınızdan oluşturulan kullanıcı listesi"
@@ -5434,7 +5501,9 @@ msgstr "Kullanıcı Listeleri"
msgid "Username or email address"
msgstr "Kullanıcı adı veya e-posta adresi"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Kullanıcılar"
@@ -5462,15 +5531,15 @@ msgstr ""
msgid "Verify {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "E-postayı doğrula"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "E-postamı doğrula"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "E-postamı Doğrula"
@@ -5483,7 +5552,7 @@ msgstr "Yeni E-postayı Doğrula"
msgid "Verify Your Email"
msgstr "E-postanızı Doğrulayın"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5499,11 +5568,11 @@ msgstr "{0}'ın avatarını görüntüle"
msgid "View debug entry"
msgstr "Hata ayıklama girişini görüntüle"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr ""
@@ -5515,6 +5584,8 @@ msgstr "Tam konuyu görüntüle"
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Profili görüntüle"
@@ -5527,7 +5598,7 @@ msgstr "Avatarı görüntüle"
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5603,11 +5674,11 @@ msgstr "Hesabınız hazır olduğunda size bildireceğiz."
msgid "We'll use this to help customize your experience."
msgstr "Bu, deneyiminizi özelleştirmenize yardımcı olmak için kullanılacak."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Sizi aramızda görmekten çok mutluyuz!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Üzgünüz, ancak bu listeyi çözemedik. Bu durum devam ederse, lütfen liste oluşturucu, @{handleOrDid} ile iletişime geçin."
@@ -5615,7 +5686,7 @@ msgstr "Üzgünüz, ancak bu listeyi çözemedik. Bu durum devam ederse, lütfen
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr ""
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Üzgünüz, ancak aramanız tamamlanamadı. Lütfen birkaç dakika içinde tekrar deneyin."
@@ -5624,7 +5695,7 @@ msgstr "Üzgünüz, ancak aramanız tamamlanamadı. Lütfen birkaç dakika için
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Üzgünüz! Aradığınız sayfayı bulamıyoruz."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5640,8 +5711,8 @@ msgstr "İlgi alanlarınız nelerdir?"
#~ msgid "What is the issue with this {collectionName}?"
#~ msgstr "Bu {collectionName} ile ilgili sorun nedir?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "Nasılsınız?"
@@ -5740,15 +5811,15 @@ msgstr ""
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "Henüz hiç davet kodunuz yok! Bluesky'de biraz daha uzun süre kaldıktan sonra size bazı kodlar göndereceğiz."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "Sabitlemiş beslemeniz yok."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "Kaydedilmiş beslemeniz yok!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "Kaydedilmiş beslemeniz yok."
@@ -5790,16 +5861,16 @@ msgstr ""
#~ msgid "You have muted this user."
#~ msgstr "Bu kullanıcıyı sessize aldınız."
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "Beslemeniz yok."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "Listeniz yok."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
@@ -5811,7 +5882,7 @@ msgstr ""
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Henüz hiçbir uygulama şifresi oluşturmadınız. Aşağıdaki düğmeye basarak bir tane oluşturabilirsiniz."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
@@ -5839,15 +5910,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "Yetişkin içeriğini etkinleştirmek için 18 yaşında veya daha büyük olmalısınız"
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Artık bu konu için bildirim almayacaksınız"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Artık bu konu için bildirim alacaksınız"
@@ -5878,7 +5949,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Beslemenizin sonuna ulaştınız! Takip edebileceğiniz daha fazla hesap bulun."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Hesabınız"
@@ -5890,7 +5961,7 @@ msgstr "Hesabınız silindi"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "Doğum tarihiniz"
@@ -5924,7 +5995,7 @@ msgstr "E-postanız henüz doğrulanmadı. Bu, önerdiğimiz önemli bir güvenl
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Takip ettiğiniz besleme boş! Neler olduğunu görmek için daha fazla kullanıcı takip edin."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Tam kullanıcı adınız"
@@ -5955,7 +6026,7 @@ msgstr "Gönderiniz yayınlandı"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Gönderileriniz, beğenileriniz ve engellemeleriniz herkese açıktır. Sessizlikleriniz özeldir."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Profiliniz"
@@ -5963,6 +6034,6 @@ msgstr "Profiliniz"
msgid "Your reply has been published"
msgstr "Yanıtınız yayınlandı"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Kullanıcı adınız"
diff --git a/src/locale/locales/uk/messages.po b/src/locale/locales/uk/messages.po
index 2b22523cf0..935d1f799d 100644
--- a/src/locale/locales/uk/messages.po
+++ b/src/locale/locales/uk/messages.po
@@ -8,7 +8,7 @@ msgstr ""
"Language: uk\n"
"Project-Id-Version: bsky-app-ua\n"
"Report-Msgid-Bugs-To: \n"
-"PO-Revision-Date: 2024-03-13 11:56\n"
+"PO-Revision-Date: 2024-04-13 13:57\n"
"Last-Translator: \n"
"Language-Team: Ukrainian\n"
"Plural-Forms: nplurals=4; plural=((n%10==1 && n%100!=11) ? 0 : ((n%10 >= 2 && n%10 <=4 && (n%100 < 12 || n%100 > 14)) ? 1 : ((n%10 == 0 || (n%10 >= 5 && n%10 <=9)) || (n%100 >= 11 && n%100 <= 14)) ? 2 : 3));\n"
@@ -22,29 +22,12 @@ msgstr ""
msgid "(no email)"
msgstr "(немає ел. адреси)"
-#: src/view/shell/desktop/RightNav.tsx:168
-#~ msgid "{0, plural, one {# invite code available} other {# invite codes available}}"
-#~ msgstr ""
-
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} підписок"
-#: src/view/shell/desktop/RightNav.tsx:151
-#~ msgid "{invitesAvailable, plural, one {Invite codes: # available} other {Invite codes: # available}}"
-#~ msgstr ""
-
-#: src/view/screens/Settings.tsx:435
-#: src/view/shell/Drawer.tsx:664
-#~ msgid "{invitesAvailable} invite code available"
-#~ msgstr ""
-
-#: src/view/screens/Settings.tsx:437
-#: src/view/shell/Drawer.tsx:666
-#~ msgid "{invitesAvailable} invite codes available"
-#~ msgstr ""
-
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} непрочитаних"
@@ -56,15 +39,20 @@ msgstr "<0/> учасників"
msgid "<0>{0}0> following"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>підписок1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>Оберіть свої0><1>рекомендовані1><2>стрічки2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>Підпишіться на деяких 0><1>рекомендованих 1><2>користувачів2>"
@@ -72,39 +60,31 @@ msgstr "<0>Підпишіться на деяких 0><1>рекомендов
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>Ласкаво просимо до0><1>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠Недопустимий псевдонім"
-#: src/view/com/util/moderation/LabelInfo.tsx:45
-#~ msgid "A content warning has been applied to this {0}."
-#~ msgstr "Попередження про вміст було додано до цього {0}."
-
-#: src/lib/hooks/useOTAUpdate.ts:16
-#~ msgid "A new version of the app is available. Please update to continue using the app."
-#~ msgstr "Доступна нова версія. Будь ласка, оновіть застосунок, щоб продовжити ним користуватися."
-
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "Відкрити навігацію й налаштування"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "Відкрити профіль та іншу навігацію"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "Доступність"
#: src/components/moderation/LabelsOnMe.tsx:42
msgid "account"
-msgstr ""
+msgstr "обліковий запис"
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "Обліковий запис"
@@ -154,7 +134,7 @@ msgstr "Обліковий запис більше не ігнорується"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "Додати"
@@ -162,13 +142,13 @@ msgstr "Додати"
msgid "Add a content warning"
msgstr "Додати попередження про вміст"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "Додати користувача до списку"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "Додати обліковий запис"
@@ -184,15 +164,6 @@ msgstr "Додати альтернативний текст"
msgid "Add App Password"
msgstr "Додати пароль застосунку"
-#: src/view/com/modals/report/InputIssueDetails.tsx:41
-#: src/view/com/modals/report/Modal.tsx:191
-#~ msgid "Add details"
-#~ msgstr "Додайте подробиці"
-
-#: src/view/com/modals/report/Modal.tsx:194
-#~ msgid "Add details to report"
-#~ msgstr "Додайте подробиці до скарги"
-
#: src/view/com/composer/Composer.tsx:467
msgid "Add link card"
msgstr "Додати попередній перегляд"
@@ -245,24 +216,16 @@ msgstr "Налаштуйте мінімальну кількість вподо
msgid "Adult Content"
msgstr "Вміст для дорослих"
-#: src/view/com/modals/ContentFilteringSettings.tsx:141
-#~ msgid "Adult content can only be enabled via the Web at <0/>."
-#~ msgstr "Вміст для дорослих можна увімкнути лише у вебверсії на <0/>."
-
-#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:78
-#~ msgid "Adult content can only be enabled via the Web at <0>bsky.app0>."
-#~ msgstr ""
-
#: src/components/moderation/LabelPreference.tsx:242
msgid "Adult content is disabled."
-msgstr ""
+msgstr "Контент для дорослих вимкнено."
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "Розширені"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "Усі збережені стрічки в одному місці."
@@ -299,6 +262,8 @@ msgstr "Було надіслано лист на вашу попередню а
msgid "An issue not included in these options"
msgstr ""
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -306,7 +271,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr "Виникла проблема, будь ласка, спробуйте ще раз."
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "та"
@@ -317,7 +282,7 @@ msgstr "Тварини"
#: src/lib/moderation/useReportOptions.ts:31
msgid "Anti-Social Behavior"
-msgstr ""
+msgstr "Антисоціальна поведінка"
#: src/view/screens/LanguageSettings.tsx:95
msgid "App Language"
@@ -335,17 +300,13 @@ msgstr "Назва пароля може містити лише латинсь
msgid "App Password names must be at least 4 characters long."
msgstr "Назва пароля застосунку мусить бути хоча б 4 символи в довжину."
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "Налаштування пароля застосунків"
-#: src/view/screens/Settings.tsx:650
-#~ msgid "App passwords"
-#~ msgstr ""
-
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "Паролі для застосунків"
@@ -358,28 +319,11 @@ msgstr ""
msgid "Appeal \"{0}\" label"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:337
-#: src/view/com/util/forms/PostDropdownBtn.tsx:346
-#~ msgid "Appeal content warning"
-#~ msgstr "Оскаржити попередження про вміст"
-
-#: src/view/com/modals/AppealLabel.tsx:65
-#~ msgid "Appeal Content Warning"
-#~ msgstr "Оскаржити попередження про вміст"
-
#: src/components/moderation/LabelsOnMeDialog.tsx:192
msgid "Appeal submitted."
msgstr ""
-#: src/view/com/util/moderation/LabelInfo.tsx:52
-#~ msgid "Appeal this decision"
-#~ msgstr "Оскаржити це рішення"
-
-#: src/view/com/util/moderation/LabelInfo.tsx:56
-#~ msgid "Appeal this decision."
-#~ msgstr "Оскаржити це рішення"
-
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "Оформлення"
@@ -399,10 +343,6 @@ msgstr "Ви дійсно бажаєте видалити цю чернетку?
msgid "Are you sure?"
msgstr "Ви впевнені?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:322
-#~ msgid "Are you sure? This cannot be undone."
-#~ msgstr "Ви впевнені? Це не можна буде скасувати."
-
#: src/view/com/composer/select-language/SuggestedLanguage.tsx:60
msgid "Are you writing in <0>{0}0>?"
msgstr "Ви пишете <0>{0}0>?"
@@ -415,9 +355,9 @@ msgstr "Мистецтво"
msgid "Artistic or non-erotic nudity."
msgstr "Художня або нееротична оголеність."
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
-msgstr ""
+msgstr "Не менше 3-х символів"
#: src/components/moderation/LabelsOnMeDialog.tsx:246
#: src/components/moderation/LabelsOnMeDialog.tsx:247
@@ -430,21 +370,16 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "Назад"
-#: src/view/com/post-thread/PostThread.tsx:480
-#~ msgctxt "action"
-#~ msgid "Back"
-#~ msgstr "Назад"
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:144
msgid "Based on your interest in {interestsText}"
msgstr "Ґрунтуючись на вашому інтересі до {interestsText}"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "Основні"
@@ -452,14 +387,14 @@ msgstr "Основні"
msgid "Birthday"
msgstr "Дата народження"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "Дата народження:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
-msgstr ""
+msgstr "Заблокувати"
#: src/view/com/profile/ProfileMenu.tsx:300
#: src/view/com/profile/ProfileMenu.tsx:307
@@ -468,27 +403,23 @@ msgstr "Заблокувати"
#: src/view/com/profile/ProfileMenu.tsx:344
msgid "Block Account?"
-msgstr ""
+msgstr "Заблокувати обліковий запис?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "Заблокувати облікові записи"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "Заблокувати список"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "Заблокувати ці облікові записи?"
-#: src/view/screens/ProfileList.tsx:320
-#~ msgid "Block this List"
-#~ msgstr "Заблокувати список"
-
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "Заблоковано"
@@ -497,7 +428,7 @@ msgid "Blocked accounts"
msgstr "Заблоковані облікові записи"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "Заблоковані облікові записи"
@@ -505,7 +436,7 @@ msgstr "Заблоковані облікові записи"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Заблоковані облікові записи не можуть вам відповідати, згадувати вас у своїх постах, і взаємодіяти з вами будь-яким іншим чином."
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "Заблоковані облікові записи не можуть вам відповідати, згадувати вас у своїх постах, і взаємодіяти з вами будь-яким іншим чином. Ви не будете бачити їхні пости і вони не будуть бачити ваші."
@@ -513,11 +444,11 @@ msgstr "Заблоковані облікові записи не можуть
msgid "Blocked post."
msgstr "Заблокований пост."
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr ""
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "Блокування - це відкрита інформація. Заблоковані користувачі не можуть відповісти у ваших темах, згадувати вас або іншим чином взаємодіяти з вами."
@@ -525,12 +456,10 @@ msgstr "Блокування - це відкрита інформація. За
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "Блог"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -555,43 +484,26 @@ msgstr "Bluesky відкритий."
msgid "Bluesky is public."
msgstr "Bluesky публічний."
-#: src/view/com/modals/Waitlist.tsx:70
-#~ msgid "Bluesky uses invites to build a healthier community. If you don't know anybody with an invite, you can sign up for the waitlist and we'll send one soon."
-#~ msgstr ""
-
#: src/screens/Moderation/index.tsx:533
msgid "Bluesky will not show your profile and posts to logged-out users. Other apps may not honor this request. This does not make your account private."
msgstr "Bluesky не буде показувати ваш профіль і повідомлення відвідувачам без облікового запису. Інші застосунки можуть не слідувати цьому запиту. Це не робить ваш обліковий запис приватним."
-#: src/view/com/modals/ServerInput.tsx:78
-#~ msgid "Bluesky.Social"
-#~ msgstr ""
-
#: src/lib/moderation/useLabelBehaviorDescription.ts:53
msgid "Blur images"
-msgstr ""
+msgstr "Розмити зображення"
#: src/lib/moderation/useLabelBehaviorDescription.ts:51
msgid "Blur images and filter from feeds"
-msgstr ""
+msgstr "Розмити зображення і фільтрувати їх зі стрічки"
#: src/screens/Onboarding/index.tsx:33
msgid "Books"
msgstr "Книги"
-#: src/view/screens/Settings/index.tsx:893
-#~ msgid "Build version {0} {1}"
-#~ msgstr "Версія {0} {1}"
-
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "Організація"
-#: src/view/com/modals/ServerInput.tsx:115
-#~ msgid "Button disabled. Input custom domain to proceed."
-#~ msgstr ""
-
#: src/view/com/profile/ProfileSubpageHeader.tsx:157
msgid "by —"
msgstr "від —"
@@ -646,7 +558,7 @@ msgstr "Може містити лише літери, цифри, пробіл
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "Скасувати"
@@ -684,29 +596,25 @@ msgstr "Скасувати цитування посту"
msgid "Cancel search"
msgstr "Скасувати пошук"
-#: src/view/com/modals/Waitlist.tsx:136
-#~ msgid "Cancel waitlist signup"
-#~ msgstr ""
-
#: src/view/com/modals/LinkWarning.tsx:106
msgid "Cancels opening the linked website"
-msgstr ""
+msgstr "Скасовує відкриття посилання"
#: src/view/com/modals/VerifyEmail.tsx:152
msgid "Change"
-msgstr ""
+msgstr "Змінити"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "Змінити"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "Змінити псевдонім"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "Змінити псевдонім"
@@ -714,12 +622,12 @@ msgstr "Змінити псевдонім"
msgid "Change my email"
msgstr "Змінити адресу електронної пошти"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "Змінити пароль"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "Зміна пароля"
@@ -727,10 +635,6 @@ msgstr "Зміна пароля"
msgid "Change post language to {0}"
msgstr "Змінити мову поста на {0}"
-#: src/view/screens/Settings/index.tsx:733
-#~ msgid "Change your Bluesky password"
-#~ msgstr "Змінити ваш пароль Bluesky"
-
#: src/view/com/modals/ChangeEmail.tsx:109
msgid "Change Your Email"
msgstr "Змінити адресу електронної пошти"
@@ -740,11 +644,11 @@ msgstr "Змінити адресу електронної пошти"
msgid "Check my status"
msgstr "Перевірити мій статус"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "Подивіться на деякі з рекомендованих стрічок. Натисніть +, щоб додати їх до свого списку закріплених стрічок."
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "Ознайомтеся з деякими рекомендованими користувачами. Слідкуйте за ними, щоб побачити дописи від подібних користувачів."
@@ -756,10 +660,6 @@ msgstr "Перевірте свою поштову скриньку на ная
msgid "Choose \"Everybody\" or \"Nobody\""
msgstr "Виберіть \"Усі\" або \"Ніхто\""
-#: src/view/screens/Settings/index.tsx:697
-#~ msgid "Choose a new Bluesky username or create"
-#~ msgstr "Оберіть або створіть своє ім'я користувача"
-
#: src/view/com/auth/server-input/index.tsx:79
msgid "Choose Service"
msgstr "Оберіть хостинг-провайдера"
@@ -773,46 +673,42 @@ msgstr "Оберіть алгоритми, що наповнюватимуть
msgid "Choose the algorithms that power your experience with custom feeds."
msgstr "Автори стрічок можуть обирати будь-які алгоритми для формування стрічки саме для вас."
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:103
-#~ msgid "Choose your algorithmic feeds"
-#~ msgstr ""
-
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:104
msgid "Choose your main feeds"
msgstr "Виберіть ваші основні стрічки"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "Вкажіть пароль"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr ""
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr ""
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "Очистити пошуковий запит"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
-msgstr ""
+msgstr "Видаляє всі застарілі дані зі сховища"
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
-msgstr ""
+msgstr "Видаляє всі дані зі сховища"
#: src/view/screens/Support.tsx:40
msgid "click here"
@@ -822,7 +718,7 @@ msgstr "натисніть тут"
msgid "Click here to open tag menu for {tag}"
msgstr "Натисніть тут, щоб відкрити меню тегів для {tag}"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "Натисніть тут, щоб відкрити меню тегів для #{tag}"
@@ -856,7 +752,7 @@ msgstr "Закрити зображення"
msgid "Close image viewer"
msgstr "Закрити перегляд зображення"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "Закрити панель навігації"
@@ -865,7 +761,7 @@ msgstr "Закрити панель навігації"
msgid "Close this dialog"
msgstr "Закрити діалогове вікно"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "Закриває нижню панель навігації"
@@ -881,7 +777,7 @@ msgstr "Закриває редактор постів і видаляє чер
msgid "Closes viewer for header image"
msgstr "Закриває перегляд зображення"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "Згортає список користувачів для даного сповіщення"
@@ -902,7 +798,7 @@ msgstr "Правила спільноти"
msgid "Complete onboarding and start using your account"
msgstr "Завершіть ознайомлення та розпочніть користуватися вашим обліковим записом"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "Виконайте завдання"
@@ -920,7 +816,7 @@ msgstr "Налаштувати фільтрування вмісту для ка
#: src/components/moderation/LabelPreference.tsx:81
msgid "Configure content filtering setting for category: {name}"
-msgstr ""
+msgstr "Налаштувати фільтрування вмісту для категорії: {name}"
#: src/components/moderation/LabelPreference.tsx:244
msgid "Configured in <0>moderation settings0>."
@@ -936,12 +832,6 @@ msgstr ""
msgid "Confirm"
msgstr "Підтвердити"
-#: src/view/com/modals/Confirm.tsx:75
-#: src/view/com/modals/Confirm.tsx:78
-#~ msgctxt "action"
-#~ msgid "Confirm"
-#~ msgstr "Підтвердити"
-
#: src/view/com/modals/ChangeEmail.tsx:193
#: src/view/com/modals/ChangeEmail.tsx:195
msgid "Confirm Change"
@@ -955,17 +845,13 @@ msgstr "Підтвердити налаштування мови вмісту"
msgid "Confirm delete account"
msgstr "Підтвердити видалення облікового запису"
-#: src/view/com/modals/ContentFilteringSettings.tsx:156
-#~ msgid "Confirm your age to enable adult content."
-#~ msgstr "Підтвердьте свій вік, щоб дозволити вміст для дорослих."
-
#: src/screens/Moderation/index.tsx:301
msgid "Confirm your age:"
-msgstr ""
+msgstr "Підтвердіть ваш вік:"
#: src/screens/Moderation/index.tsx:292
msgid "Confirm your birthdate"
-msgstr ""
+msgstr "Підтвердіть вашу дату народження"
#: src/view/com/modals/ChangeEmail.tsx:157
#: src/view/com/modals/DeleteAccount.tsx:175
@@ -974,15 +860,11 @@ msgstr ""
msgid "Confirmation code"
msgstr "Код підтвердження"
-#: src/view/com/modals/Waitlist.tsx:120
-#~ msgid "Confirms signing up {email} to the waitlist"
-#~ msgstr ""
-
#: src/screens/Login/LoginForm.tsx:248
msgid "Connecting..."
msgstr "З’єднання..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "Служба підтримки"
@@ -992,19 +874,11 @@ msgstr ""
#: src/lib/moderation/useGlobalLabelStrings.ts:18
msgid "Content Blocked"
-msgstr ""
-
-#: src/view/screens/Moderation.tsx:83
-#~ msgid "Content filtering"
-#~ msgstr "Фільтрування вмісту"
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:44
-#~ msgid "Content Filtering"
-#~ msgstr "Фільтрування вмісту"
+msgstr "Заблокований вміст"
#: src/screens/Moderation/index.tsx:285
msgid "Content filters"
-msgstr ""
+msgstr "Відсів вмісту"
#: src/view/com/modals/lang-settings/ContentLanguagesSettings.tsx:74
#: src/view/screens/LanguageSettings.tsx:278
@@ -1036,8 +910,8 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "Далі"
@@ -1050,7 +924,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "Перейти до наступного кроку"
@@ -1071,17 +945,21 @@ msgstr "Кухарство"
msgid "Copied"
msgstr "Скопійовано"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "Версію збірки скопійовано до буфера обміну"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "Скопійовано"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "Копіює пароль застосунку"
@@ -1094,21 +972,22 @@ msgstr "Скопіювати"
msgid "Copy {0}"
msgstr ""
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "Копіювати посилання на список"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "Копіювати посилання на пост"
-#: src/view/com/profile/ProfileHeader.tsx:295
-#~ msgid "Copy link to profile"
-#~ msgstr "Копіювати посилання на профіль"
-
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "Копіювати текст повідомлення"
@@ -1121,39 +1000,38 @@ msgstr "Політика захисту авторського права"
msgid "Could not load feed"
msgstr "Не вдалося завантажити стрічку"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "Не вдалося завантажити список"
-#: src/view/com/auth/create/Step2.tsx:91
-#~ msgid "Country"
-#~ msgstr ""
-
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "Створити новий обліковий запис"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "Створити новий обліковий запис Bluesky"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "Створити обліковий запис"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "Створити пароль застосунку"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "Створити новий обліковий запис"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr ""
@@ -1161,14 +1039,6 @@ msgstr ""
msgid "Created {0}"
msgstr "Створено: {0}"
-#: src/view/screens/ProfileFeed.tsx:616
-#~ msgid "Created by <0/>"
-#~ msgstr "Створено <0/>"
-
-#: src/view/screens/ProfileFeed.tsx:614
-#~ msgid "Created by you"
-#~ msgstr "Створено вами"
-
#: src/view/com/composer/Composer.tsx:469
msgid "Creates a card with a thumbnail. The card links to {url}"
msgstr "Створює картку з мініатюрою. Посилання картки: {url}"
@@ -1187,7 +1057,7 @@ msgid "Custom domain"
msgstr "Власний домен"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "Кастомні стрічки, створені спільнотою, подарують вам нові враження та допоможуть знайти контент, який ви любите."
@@ -1195,12 +1065,8 @@ msgstr "Кастомні стрічки, створені спільнотою,
msgid "Customize media from external sites."
msgstr "Налаштування медіа зі сторонніх вебсайтів."
-#: src/view/screens/Settings.tsx:687
-#~ msgid "Danger Zone"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "Темна"
@@ -1208,15 +1074,15 @@ msgstr "Темна"
msgid "Dark mode"
msgstr "Темний режим"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "Темна тема"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
-msgstr ""
+msgstr "Дата народження"
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr ""
@@ -1224,13 +1090,13 @@ msgstr ""
msgid "Debug panel"
msgstr "Панель налагодження"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
-msgstr ""
+msgstr "Видаліть"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "Видалити обліковий запис"
@@ -1244,9 +1110,9 @@ msgstr "Видалити пароль для застосунку"
#: src/view/screens/AppPasswords.tsx:263
msgid "Delete app password?"
-msgstr ""
+msgstr "Видалити пароль застосунку?"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "Видалити список"
@@ -1254,28 +1120,24 @@ msgstr "Видалити список"
msgid "Delete my account"
msgstr "Видалити мій обліковий запис"
-#: src/view/screens/Settings.tsx:706
-#~ msgid "Delete my account…"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "Видалити мій обліковий запис..."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "Видалити пост"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
-msgstr ""
+msgstr "Видалити цей список?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "Видалити цей пост?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "Видалено"
@@ -1290,36 +1152,36 @@ msgstr "Видалений пост."
msgid "Description"
msgstr "Опис"
-#: src/view/screens/Settings.tsx:760
-#~ msgid "Developer Tools"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:218
msgid "Did you want to say anything?"
msgstr "Порожній пост. Ви хотіли щось написати?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "Тьмяний"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
#: src/screens/Moderation/index.tsx:341
msgid "Disabled"
-msgstr ""
+msgstr "Вимкнено"
#: src/view/com/composer/Composer.tsx:511
msgid "Discard"
msgstr "Видалити"
-#: src/view/com/composer/Composer.tsx:145
-#~ msgid "Discard draft"
-#~ msgstr "Відкинути чернетку"
-
#: src/view/com/composer/Composer.tsx:508
msgid "Discard draft?"
-msgstr ""
+msgstr "Відхилити чернетку?"
#: src/screens/Moderation/index.tsx:518
#: src/screens/Moderation/index.tsx:522
@@ -1331,11 +1193,7 @@ msgstr "Попросити застосунки не показувати мій
msgid "Discover new custom feeds"
msgstr "Відкрийте для себе нові стрічки"
-#: src/view/screens/Feeds.tsx:473
-#~ msgid "Discover new feeds"
-#~ msgstr ""
-
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "Відкрийте для себе нові стрічки"
@@ -1349,15 +1207,15 @@ msgstr "Ім'я"
#: src/view/com/modals/ChangeHandle.tsx:397
msgid "DNS Panel"
-msgstr ""
+msgstr "Панель DNS"
#: src/lib/moderation/useGlobalLabelStrings.ts:39
msgid "Does not include nudity."
-msgstr ""
+msgstr "Не містить оголеності."
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
-msgstr ""
+msgstr "Не починається або закінчується дефісом"
#: src/view/com/modals/ChangeHandle.tsx:481
msgid "Domain Value"
@@ -1367,10 +1225,6 @@ msgstr ""
msgid "Domain verified!"
msgstr "Домен перевірено!"
-#: src/view/com/auth/create/Step1.tsx:170
-#~ msgid "Don't have an invite code?"
-#~ msgstr ""
-
#: src/components/dialogs/BirthDateSettings.tsx:119
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/components/forms/DateField/index.tsx:74
@@ -1389,7 +1243,7 @@ msgstr "Домен перевірено!"
msgid "Done"
msgstr "Готово"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1406,14 +1260,6 @@ msgstr "Готово"
msgid "Done{extraText}"
msgstr "Готово{extraText}"
-#: src/view/com/auth/login/ChooseAccountForm.tsx:46
-#~ msgid "Double tap to sign in"
-#~ msgstr "Двічі натисніть, щоб увійти"
-
-#: src/view/screens/Settings/index.tsx:755
-#~ msgid "Download Bluesky account data (repository)"
-#~ msgstr "Завантажити дані облікового запису в Bluesky (репозиторій)"
-
#: src/view/screens/Settings/ExportCarDialog.tsx:59
#: src/view/screens/Settings/ExportCarDialog.tsx:63
msgid "Download CAR file"
@@ -1429,7 +1275,7 @@ msgstr "Через політику компанії Apple, перегляд в
#: src/view/com/modals/ChangeHandle.tsx:258
msgid "e.g. alice"
-msgstr ""
+msgstr "для прикладу, olenka"
#: src/view/com/modals/EditProfile.tsx:186
msgid "e.g. Alice Roberts"
@@ -1437,7 +1283,7 @@ msgstr "напр. Тарас Шевченко"
#: src/view/com/modals/ChangeHandle.tsx:380
msgid "e.g. alice.com"
-msgstr ""
+msgstr "для прикладу, olenka.ua"
#: src/view/com/modals/EditProfile.tsx:204
msgid "e.g. Artist, dog-lover, and avid reader."
@@ -1445,7 +1291,7 @@ msgstr "напр. Художниця, собачниця та завзята ч
#: src/lib/moderation/useGlobalLabelStrings.ts:43
msgid "E.g. artistic nudes."
-msgstr ""
+msgstr "Напр. художня голота."
#: src/view/com/modals/CreateOrEditList.tsx:284
msgid "e.g. Great Posters"
@@ -1472,17 +1318,17 @@ msgctxt "action"
msgid "Edit"
msgstr "Редагувати"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
-msgstr ""
+msgstr "Змінити фото профілю"
#: src/view/com/composer/photos/Gallery.tsx:144
#: src/view/com/modals/EditImage.tsx:208
msgid "Edit image"
msgstr "Редагувати зображення"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "Редагувати опис списку"
@@ -1491,8 +1337,8 @@ msgid "Edit Moderation List"
msgstr "Редагування списку"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "Редагувати мої стрічки"
@@ -1500,18 +1346,18 @@ msgstr "Редагувати мої стрічки"
msgid "Edit my profile"
msgstr "Редагувати мій профіль"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "Редагувати профіль"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "Редагувати профіль"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "Редагувати збережені стрічки"
@@ -1553,17 +1399,31 @@ msgstr "Ел. адресу оновлено"
msgid "Email verified"
msgstr "Електронну адресу перевірено"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "Ел. адреса:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "Увімкнути лише {0}"
#: src/screens/Moderation/index.tsx:329
msgid "Enable adult content"
-msgstr ""
+msgstr "Дозволити вміст для дорослих"
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:94
msgid "Enable Adult Content"
@@ -1579,10 +1439,6 @@ msgstr "Увімкнути вміст для дорослих у ваших ст
msgid "Enable external media"
msgstr ""
-#: src/view/com/modals/EmbedConsent.tsx:97
-#~ msgid "Enable External Media"
-#~ msgstr "Увімкнути зовнішні медіа"
-
#: src/view/screens/PreferencesExternalEmbeds.tsx:75
msgid "Enable media players for"
msgstr "Увімкнути медіапрогравачі для"
@@ -1597,9 +1453,9 @@ msgstr ""
#: src/screens/Moderation/index.tsx:339
msgid "Enabled"
-msgstr ""
+msgstr "Увімкнено"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "Кінець стрічки"
@@ -1609,7 +1465,7 @@ msgstr "Введіть ім'я для цього пароля застосунк
#: src/screens/Login/SetNewPasswordForm.tsx:139
msgid "Enter a password"
-msgstr ""
+msgstr "Введіть пароль"
#: src/components/dialogs/MutedWords.tsx:99
#: src/components/dialogs/MutedWords.tsx:100
@@ -1636,12 +1492,8 @@ msgstr "Введіть адресу електронної пошти, яку в
msgid "Enter your birth date"
msgstr "Введіть вашу дату народження"
-#: src/view/com/modals/Waitlist.tsx:78
-#~ msgid "Enter your email"
-#~ msgstr ""
-
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "Введіть адресу електронної пошти"
@@ -1653,10 +1505,6 @@ msgstr "Введіть вашу нову електронну пошту вищ
msgid "Enter your new email address below."
msgstr "Введіть нову адресу електронної пошти."
-#: src/view/com/auth/create/Step2.tsx:188
-#~ msgid "Enter your phone number"
-#~ msgstr ""
-
#: src/screens/Login/index.tsx:101
msgid "Enter your username and password"
msgstr "Введіть псевдонім та пароль"
@@ -1665,7 +1513,7 @@ msgstr "Введіть псевдонім та пароль"
msgid "Error receiving captcha response."
msgstr "Помилка отримання відповіді Captcha."
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "Помилка:"
@@ -1698,33 +1546,29 @@ msgstr "Вийти з режиму перегляду"
msgid "Exits inputting search query"
msgstr "Вихід із пошуку"
-#: src/view/com/modals/Waitlist.tsx:138
-#~ msgid "Exits signing up for waitlist with {email}"
-#~ msgstr ""
-
#: src/view/com/lightbox/Lightbox.web.tsx:183
msgid "Expand alt text"
msgstr "Розгорнути опис"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "Розгорнути або згорнути весь пост, на який ви відповідаєте"
#: src/lib/moderation/useGlobalLabelStrings.ts:47
msgid "Explicit or potentially disturbing media."
-msgstr ""
+msgstr "Відвертий чи потенційно тривожний засіб."
#: src/lib/moderation/useGlobalLabelStrings.ts:35
msgid "Explicit sexual images."
-msgstr ""
+msgstr "Відверті сексуальні зображення."
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "Експорт моїх даних"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "Експорт моїх даних"
@@ -1740,11 +1584,11 @@ msgstr "Зовнішні медіа можуть дозволяти вебсай
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "Налаштування зовнішніх медіа"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "Налаштування зовнішніх медіа"
@@ -1757,18 +1601,18 @@ msgstr "Не вдалося створити пароль застосунку."
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "Не вдалося створити список. Перевірте інтернет-з'єднання і спробуйте ще раз."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "Не вдалося видалити пост, спробуйте ще раз"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "Не вдалося завантажити рекомендації стрічок"
#: src/view/com/lightbox/Lightbox.tsx:83
msgid "Failed to save image: {0}"
-msgstr ""
+msgstr "Провалено збереження зображення: {0}"
#: src/Navigation.tsx:196
msgid "Feed"
@@ -1778,43 +1622,31 @@ msgstr "Стрічка"
msgid "Feed by {0}"
msgstr "Стрічка від {0}"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "Стрічка не працює"
-#: src/view/com/feeds/FeedPage.tsx:143
-#~ msgid "Feed Preferences"
-#~ msgstr ""
-
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "Зворотний зв'язок"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "Стрічки"
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:106
-#~ msgid "Feeds are created by users and can give you entirely new experiences."
-#~ msgstr ""
-
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:106
-#~ msgid "Feeds are created by users and organizations. They offer you varied experiences and suggest content you may like using algorithms."
-#~ msgstr ""
-
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "Стрічки створюються користувачами для відбору постів. Оберіть стрічки, що вас цікавлять."
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "Стрічки – це алгоритми, створені користувачами з деяким досвідом програмування. <0/> для додаткової інформації."
@@ -1824,11 +1656,11 @@ msgstr "Стрічки також можуть бути тематичними!"
#: src/view/com/modals/ChangeHandle.tsx:481
msgid "File Contents"
-msgstr ""
+msgstr "Вміст файлу"
#: src/lib/moderation/useLabelBehaviorDescription.ts:66
msgid "Filter from feeds"
-msgstr ""
+msgstr "Відсів від стрічки"
#: src/screens/Onboarding/StepFinished.tsx:155
msgid "Finalizing"
@@ -1840,11 +1672,11 @@ msgstr "Завершення"
msgid "Find accounts to follow"
msgstr "Знайдіть облікові записи для стеження"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "Знайти користувачів у Bluesky"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "Знайдіть користувачів за допомогою інструменту пошуку праворуч"
@@ -1854,11 +1686,7 @@ msgstr "Пошук подібних облікових записів..."
#: src/view/screens/PreferencesFollowingFeed.tsx:111
msgid "Fine-tune the content you see on your Following feed."
-msgstr "Оберіть, що ви хочете бачити у своїй стрічці підписок."
-
-#: src/view/screens/PreferencesHomeFeed.tsx:111
-#~ msgid "Fine-tune the content you see on your home screen."
-#~ msgstr ""
+msgstr "Оберіть, що хочете бачити в своїй стрічці підписок."
#: src/view/screens/PreferencesThreads.tsx:60
msgid "Fine-tune the discussion threads."
@@ -1882,10 +1710,10 @@ msgid "Flip vertically"
msgstr "Віддзеркалити вертикально"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "Підписатися"
@@ -1911,17 +1739,17 @@ msgstr "Підписатися на всіх"
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:144
msgid "Follow Back"
-msgstr ""
+msgstr "Підписатися навзаєм"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:182
msgid "Follow selected accounts and continue to the next step"
msgstr "Підпишіться на обрані облікові записи і переходьте до наступного кроку"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "Підпишіться на кількох користувачів щоб почати їх читати. Ми зможемо порекомендувати вам більше користувачів, спираючись на те хто вас цікавить."
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "Підписані {0}"
@@ -1933,16 +1761,16 @@ msgstr "Ваші підписки"
msgid "Followed users only"
msgstr "Тільки ваші підписки"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
-msgstr "підписка на вас"
+msgstr "підписалися на вас"
#: src/view/com/profile/ProfileFollowers.tsx:104
#: src/view/screens/ProfileFollowers.tsx:25
msgid "Followers"
msgstr "Підписники"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1953,15 +1781,15 @@ msgstr "Підписані"
msgid "Following {0}"
msgstr "Підписання на \"{0}\""
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
-msgstr ""
+msgstr "Налаштування стрічки підписок"
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "Налаштування стрічки підписок"
@@ -1969,7 +1797,7 @@ msgstr "Налаштування стрічки підписок"
msgid "Follows you"
msgstr "Підписаний(-на) на вас"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "Підписаний(-на) на вас"
@@ -1985,14 +1813,6 @@ msgstr "З міркувань безпеки нам потрібно буде в
msgid "For security reasons, you won't be able to view this again. If you lose this password, you'll need to generate a new one."
msgstr "З міркувань безпеки цей пароль відображається лише один раз. Якщо ви втратите цей пароль, вам потрібно буде згенерувати новий."
-#: src/view/com/auth/login/LoginForm.tsx:244
-#~ msgid "Forgot"
-#~ msgstr "Забули пароль"
-
-#: src/view/com/auth/login/LoginForm.tsx:241
-#~ msgid "Forgot password"
-#~ msgstr "Забули пароль"
-
#: src/screens/Login/index.tsx:129
#: src/screens/Login/index.tsx:144
msgid "Forgot Password"
@@ -2000,7 +1820,7 @@ msgstr "Забули пароль"
#: src/screens/Login/LoginForm.tsx:201
msgid "Forgot password?"
-msgstr ""
+msgstr "Забули пароль?"
#: src/screens/Login/LoginForm.tsx:212
msgid "Forgot?"
@@ -2015,7 +1835,7 @@ msgstr ""
msgid "From @{sanitizedAuthor}"
msgstr "Від @{sanitizedAuthor}"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "Зі стрічки \"<0/>\""
@@ -2031,7 +1851,7 @@ msgstr "Почати"
#: src/lib/moderation/useReportOptions.ts:37
msgid "Glaring violations of law or terms of service"
-msgstr ""
+msgstr "Грубі порушення закону чи умов послугу"
#: src/components/moderation/ScreenHider.tsx:151
#: src/components/moderation/ScreenHider.tsx:160
@@ -2039,7 +1859,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "Назад"
@@ -2049,27 +1869,27 @@ msgstr "Назад"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "Назад"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
-msgstr "Повернутися до попереднього кроку"
+msgstr "Назад до попереднього кроку"
#: src/view/screens/NotFound.tsx:55
msgid "Go home"
-msgstr ""
+msgstr "На головну"
#: src/view/screens/NotFound.tsx:54
msgid "Go Home"
-msgstr ""
+msgstr "На головну"
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "Перейти до @{queryMaybeHandle}"
@@ -2081,7 +1901,7 @@ msgstr "Далі"
#: src/lib/moderation/useGlobalLabelStrings.ts:46
msgid "Graphic Media"
-msgstr ""
+msgstr "Графічний медіаконтент"
#: src/view/com/modals/ChangeHandle.tsx:266
msgid "Handle"
@@ -2089,44 +1909,40 @@ msgstr "Псевдонім"
#: src/lib/moderation/useReportOptions.ts:32
msgid "Harassment, trolling, or intolerance"
-msgstr ""
+msgstr "Домагання, тролінг або нетерпимість"
#: src/Navigation.tsx:282
msgid "Hashtag"
-msgstr "Хештег"
-
-#: src/components/RichText.tsx:188
-#~ msgid "Hashtag: {tag}"
-#~ msgstr ""
+msgstr "Мітка"
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
-msgstr "Хештег: #{tag}"
+msgstr "Мітка: #{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
-msgstr "Виникли проблеми?"
+msgstr "Маєте проблеми?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "Довідка"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:140
msgid "Here are some accounts for you to follow"
-msgstr "Ось деякі облікові записи, на які ви підписані"
+msgstr "Ось деякі облікові записи до ваших підписок"
#: src/screens/Onboarding/StepTopicalFeeds.tsx:89
msgid "Here are some popular topical feeds. You can choose to follow as many as you like."
-msgstr "Ось декілька популярних тематичних стрічок. Ви можете підписатися на скільки забажаєте з них."
+msgstr "Ось декілька популярних стрічок за темами. Можете підписуватися скільки завгодно."
#: src/screens/Onboarding/StepTopicalFeeds.tsx:84
msgid "Here are some topical feeds based on your interests: {interestsText}. You can choose to follow as many as you like."
-msgstr "Ось декілька тематичних стрічок на основі ваших інтересів: {interestsText}. Ви можете підписатися на скільки забажаєте з них."
+msgstr "Ось декілька стрічок за темами на основі ваших інтересів: {interestsText}. Можете підписуватися скільки завгодно."
#: src/view/com/modals/AddAppPasswords.tsx:154
msgid "Here is your app password."
-msgstr "Це ваш пароль для застосунків."
+msgstr "Ось ваш пароль для застосунків."
#: src/components/moderation/ContentHider.tsx:115
#: src/components/moderation/LabelPreference.tsx:134
@@ -2137,36 +1953,32 @@ msgstr "Це ваш пароль для застосунків."
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "Приховати"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
-msgstr "Сховати"
+msgstr "Сховай"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
-msgstr "Сховати пост"
+msgstr "Сховай пост"
#: src/components/moderation/ContentHider.tsx:67
#: src/components/moderation/PostHider.tsx:64
msgid "Hide the content"
-msgstr "Приховати вміст"
+msgstr "Сховай вміст"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "Сховати цей пост?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
-msgstr "Сховати список користувачів"
-
-#: src/view/com/profile/ProfileHeader.tsx:487
-#~ msgid "Hides posts from {0} in your feed"
-#~ msgstr "Приховує пости з {0} у вашій стрічці"
+msgstr "Сховай список користувачів"
#: src/view/com/posts/FeedErrorMessage.tsx:111
msgid "Hmm, some kind of issue occurred when contacting the feed server. Please let the feed owner know about this issue."
@@ -2196,24 +2008,17 @@ msgstr ""
msgid "Hmmmm, we couldn't load that moderation service."
msgstr ""
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
-msgstr "Головна"
-
-#: src/Navigation.tsx:247
-#: src/view/com/pager/FeedsTabBarMobile.tsx:123
-#: src/view/screens/PreferencesHomeFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:543
-#~ msgid "Home Feed Preferences"
-#~ msgstr ""
+msgstr "Домівка"
#: src/view/com/modals/ChangeHandle.tsx:420
msgid "Host:"
-msgstr ""
+msgstr "Host:"
#: src/screens/Login/ForgotPasswordForm.tsx:89
#: src/screens/Login/LoginForm.tsx:134
@@ -2224,19 +2029,19 @@ msgstr "Хостинг-провайдер"
#: src/view/com/modals/InAppBrowserConsent.tsx:44
msgid "How should we open this link?"
-msgstr "Як ви хочете відкрити це посилання?"
+msgstr "Як хочете відкрити цю ланку?"
#: src/view/com/modals/VerifyEmail.tsx:214
msgid "I have a code"
-msgstr "У мене є код"
+msgstr "Маю код"
#: src/view/com/modals/VerifyEmail.tsx:216
msgid "I have a confirmation code"
-msgstr "У мене є код підтвердження"
+msgstr "Маю код підтвердження"
#: src/view/com/modals/ChangeHandle.tsx:284
msgid "I have my own domain"
-msgstr "Я маю власний домен"
+msgstr "Маю свій домен"
#: src/view/com/lightbox/Lightbox.web.tsx:185
msgid "If alt text is long, toggles alt text expanded state"
@@ -2250,13 +2055,13 @@ msgstr "Якщо не вибрано жодного варіанту - підх
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr ""
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
-msgstr ""
+msgstr "Якщо видалите цей список, то його не відновите."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
-msgstr ""
+msgstr "Якщо видалите цей пост, то його не відновите."
#: src/view/com/modals/ChangePassword.tsx:148
msgid "If you want to change your password, we will send you a code to verify that this is your account."
@@ -2274,14 +2079,9 @@ msgstr "Зображення"
msgid "Image alt text"
msgstr "Опис зображення"
-#: src/view/com/util/UserAvatar.tsx:311
-#: src/view/com/util/UserBanner.tsx:118
-#~ msgid "Image options"
-#~ msgstr "Редагування зображення"
-
#: src/lib/moderation/useReportOptions.ts:47
msgid "Impersonation or false claims about identity or affiliation"
-msgstr ""
+msgstr "Самозванство чи брехливі заяви про особу чи партнера"
#: src/screens/Login/SetNewPasswordForm.tsx:127
msgid "Input code sent to your email for password reset"
@@ -2291,14 +2091,6 @@ msgstr "Введіть код, надісланий на вашу електро
msgid "Input confirmation code for account deletion"
msgstr "Введіть код підтвердження для видалення облікового запису"
-#: src/view/com/auth/create/Step1.tsx:177
-#~ msgid "Input email for Bluesky account"
-#~ msgstr "Введіть адресу електронної пошти для облікового запису Bluesky"
-
-#: src/view/com/auth/create/Step1.tsx:151
-#~ msgid "Input invite code to proceed"
-#~ msgstr "Введіть код запрошення, щоб продовжити"
-
#: src/view/com/modals/AddAppPasswords.tsx:181
msgid "Input name for app password"
msgstr "Введіть ім'я для пароля застосунку"
@@ -2311,10 +2103,6 @@ msgstr "Введіть новий пароль"
msgid "Input password for account deletion"
msgstr "Введіть пароль для видалення облікового запису"
-#: src/view/com/auth/create/Step2.tsx:196
-#~ msgid "Input phone number for SMS verification"
-#~ msgstr ""
-
#: src/screens/Login/LoginForm.tsx:195
msgid "Input the password tied to {identifier}"
msgstr "Введіть пароль, прив'язаний до {identifier}"
@@ -2323,14 +2111,6 @@ msgstr "Введіть пароль, прив'язаний до {identifier}"
msgid "Input the username or email address you used at signup"
msgstr "Введіть псевдонім або ел. адресу, які ви використовували для реєстрації"
-#: src/view/com/auth/create/Step2.tsx:271
-#~ msgid "Input the verification code we have texted to you"
-#~ msgstr ""
-
-#: src/view/com/modals/Waitlist.tsx:90
-#~ msgid "Input your email to get on the Bluesky waitlist"
-#~ msgstr ""
-
#: src/screens/Login/LoginForm.tsx:194
msgid "Input your password"
msgstr "Введіть ваш пароль"
@@ -2339,7 +2119,7 @@ msgstr "Введіть ваш пароль"
msgid "Input your preferred hosting provider"
msgstr ""
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "Введіть ваш псевдонім"
@@ -2351,10 +2131,6 @@ msgstr "Невірний або непідтримуваний пост"
msgid "Invalid username or password"
msgstr "Невірне ім'я користувача або пароль"
-#: src/view/screens/Settings.tsx:411
-#~ msgid "Invite"
-#~ msgstr ""
-
#: src/view/com/modals/InviteCodes.tsx:94
msgid "Invite a Friend"
msgstr "Запросити друга"
@@ -2371,10 +2147,6 @@ msgstr "Код запрошення не прийнято. Переконайт
msgid "Invite codes: {0} available"
msgstr "Коди запрошення: {0}"
-#: src/view/shell/Drawer.tsx:645
-#~ msgid "Invite codes: {invitesAvailable} available"
-#~ msgstr ""
-
#: src/view/com/modals/InviteCodes.tsx:170
msgid "Invite codes: 1 available"
msgstr "Коди запрошення: 1"
@@ -2383,24 +2155,10 @@ msgstr "Коди запрошення: 1"
msgid "It shows posts from the people you follow as they happen."
msgstr "Ми показуємо пости людей, за якими ви слідкуєте в тому порядку в якому вони публікуються."
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "Вакансії"
-#: src/view/com/modals/Waitlist.tsx:67
-#~ msgid "Join the waitlist"
-#~ msgstr ""
-
-#: src/view/com/auth/create/Step1.tsx:174
-#: src/view/com/auth/create/Step1.tsx:178
-#~ msgid "Join the waitlist."
-#~ msgstr ""
-
-#: src/view/com/modals/Waitlist.tsx:128
-#~ msgid "Join Waitlist"
-#~ msgstr ""
-
#: src/screens/Onboarding/index.tsx:24
msgid "Journalism"
msgstr "Журналістика"
@@ -2417,11 +2175,11 @@ msgstr ""
msgid "Labeled by the author."
msgstr ""
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr ""
@@ -2441,7 +2199,7 @@ msgstr ""
msgid "Language selection"
msgstr "Вибір мови"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "Налаштування мови"
@@ -2450,17 +2208,13 @@ msgstr "Налаштування мови"
msgid "Language Settings"
msgstr "Налаштування мов"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "Мови"
-#: src/view/com/auth/create/StepHeader.tsx:20
-#~ msgid "Last step!"
-#~ msgstr "Останній крок!"
-
-#: src/view/com/util/moderation/ContentHider.tsx:103
-#~ msgid "Learn more"
-#~ msgstr "Дізнатися більше"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
#: src/components/moderation/ScreenHider.tsx:136
msgid "Learn More"
@@ -2496,7 +2250,7 @@ msgstr "Ви залишаєте Bluesky"
msgid "left to go."
msgstr "ще залишилося."
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "Старе сховище очищено, тепер вам потрібно перезапустити застосунок."
@@ -2509,21 +2263,16 @@ msgstr "Давайте відновимо ваш пароль!"
msgid "Let's go!"
msgstr "Злітаємо!"
-#: src/view/com/util/UserAvatar.tsx:248
-#: src/view/com/util/UserBanner.tsx:62
-#~ msgid "Library"
-#~ msgstr "Галерея"
-
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "Світла"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "Вподобати"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "Вподобати цю стрічку"
@@ -2537,7 +2286,7 @@ msgstr "Сподобалося"
#: src/view/screens/PostLikedBy.tsx:27
#: src/view/screens/ProfileFeedLikedBy.tsx:27
msgid "Liked By"
-msgstr "Сподобався користувачу"
+msgstr "Уподобано"
#: src/view/com/feeds/FeedSourceCard.tsx:268
msgid "Liked by {0} {1}"
@@ -2547,21 +2296,21 @@ msgstr "Вподобано {0} {1}"
msgid "Liked by {count} {0}"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "Вподобано {likeCount} {0}"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "вподобав(-ла) вашу стрічку"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
-msgstr "сподобався ваш пост"
+msgstr "уподобали ваш пост"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "Вподобання"
@@ -2577,7 +2326,7 @@ msgstr "Список"
msgid "List Avatar"
msgstr "Аватар списку"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "Список заблоковано"
@@ -2585,11 +2334,11 @@ msgstr "Список заблоковано"
msgid "List by {0}"
msgstr "Список від {0}"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "Список видалено"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "Список ігнорується"
@@ -2597,36 +2346,31 @@ msgstr "Список ігнорується"
msgid "List Name"
msgstr "Назва списку"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "Список розблоковано"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "Список більше не ігнорується"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "Списки"
-#: src/view/com/post-thread/PostThread.tsx:333
-#: src/view/com/post-thread/PostThread.tsx:341
-#~ msgid "Load more posts"
-#~ msgstr "Завантажити більше постів"
-
#: src/view/screens/Notifications.tsx:159
msgid "Load new notifications"
msgstr "Завантажити нові сповіщення"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "Завантажити нові пости"
@@ -2634,10 +2378,6 @@ msgstr "Завантажити нові пости"
msgid "Loading..."
msgstr "Завантаження..."
-#: src/view/com/modals/ServerInput.tsx:50
-#~ msgid "Local dev server"
-#~ msgstr ""
-
#: src/Navigation.tsx:221
msgid "Log"
msgstr "Звіт"
@@ -2659,7 +2399,7 @@ msgstr "Увійти до облікового запису, якого нема
#: src/screens/Login/SetNewPasswordForm.tsx:116
msgid "Looks like XXXXX-XXXXX"
-msgstr ""
+msgstr "Виглядає як XXXXX-XXXXXXX"
#: src/view/com/modals/LinkWarning.tsx:79
msgid "Make sure this is where you intend to go!"
@@ -2669,15 +2409,7 @@ msgstr "Переконайтеся, що це дійсно той сайт, що
msgid "Manage your muted words and tags"
msgstr "Налаштовуйте ваші ігноровані слова та теги"
-#: src/view/com/auth/create/Step2.tsx:118
-#~ msgid "May not be longer than 253 characters"
-#~ msgstr "Не може бути довшим за 253 символи"
-
-#: src/view/com/auth/create/Step2.tsx:109
-#~ msgid "May only contain letters and numbers"
-#~ msgstr "Може містити лише літери та цифри"
-
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "Медіа"
@@ -2690,7 +2422,7 @@ msgid "Mentioned users"
msgstr "Згадані користувачі"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "Меню"
@@ -2704,10 +2436,10 @@ msgstr ""
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "Модерація"
@@ -2720,13 +2452,13 @@ msgstr ""
msgid "Moderation list by {0}"
msgstr "Список модерації від {0}"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "Список модерації від <0/>"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "Список модерації від вас"
@@ -2747,7 +2479,7 @@ msgstr "Списки для модерації"
msgid "Moderation Lists"
msgstr "Списки для модерації"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "Налаштування модерації"
@@ -2764,7 +2496,7 @@ msgstr ""
msgid "Moderator has chosen to set a general warning on the content."
msgstr "Модератор вирішив встановити загальне попередження на вміст."
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr ""
@@ -2772,22 +2504,14 @@ msgstr ""
msgid "More feeds"
msgstr "Більше стрічок"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "Додаткові опції"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:315
-#~ msgid "More post options"
-#~ msgstr ""
-
#: src/view/screens/PreferencesThreads.tsx:82
msgid "Most-liked replies first"
msgstr "За кількістю вподобань"
-#: src/view/com/auth/create/Step2.tsx:122
-#~ msgid "Must be at least 3 characters"
-#~ msgstr "Має містити щонайменше 3 символи"
-
#: src/components/TagMenu/index.tsx:249
msgid "Mute"
msgstr "Ігнорувати"
@@ -2801,7 +2525,7 @@ msgstr "Ігнорувати {truncatedTag}"
msgid "Mute Account"
msgstr "Ігнорувати обліковий запис"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "Ігнорувати облікові записи"
@@ -2809,31 +2533,23 @@ msgstr "Ігнорувати облікові записи"
msgid "Mute all {displayTag} posts"
msgstr "Ігнорувати всі пости {displayTag}"
-#: src/components/TagMenu/index.tsx:211
-#~ msgid "Mute all {tag} posts"
-#~ msgstr ""
-
#: src/components/dialogs/MutedWords.tsx:148
msgid "Mute in tags only"
-msgstr "Ігнорувати лише в тегах"
+msgstr "Лише в тегах"
#: src/components/dialogs/MutedWords.tsx:133
msgid "Mute in text & tags"
-msgstr "Ігнорувати в тексті та тегах"
+msgstr "В тексті і тегах"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "Ігнорувати список"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "Ігнорувати ці облікові записи?"
-#: src/view/screens/ProfileList.tsx:279
-#~ msgid "Mute this List"
-#~ msgstr "Ігнорувати цей список"
-
#: src/components/dialogs/MutedWords.tsx:126
msgid "Mute this word in post text and tags"
msgstr "Ігнорувати це слово у постах і тегах"
@@ -2842,13 +2558,13 @@ msgstr "Ігнорувати це слово у постах і тегах"
msgid "Mute this word in tags only"
msgstr "Ігнорувати це слово лише у тегах"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "Ігнорувати обговорення"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "Ігнорувати слова та теги"
@@ -2861,11 +2577,11 @@ msgid "Muted accounts"
msgstr "Ігноровані облікові записи"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "Ігноровані облікові записи"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "Ігноровані облікові записи автоматично вилучаються із вашої стрічки та сповіщень. Ігнорування є повністю приватним."
@@ -2877,7 +2593,7 @@ msgstr ""
msgid "Muted words & tags"
msgstr "Ігноровані слова та теги"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "Ігнорування є приватним. Ігноровані користувачі можуть взаємодіяти з вами, але ви не бачитимете їх пости і не отримуватимете від них сповіщень."
@@ -2886,7 +2602,7 @@ msgstr "Ігнорування є приватним. Ігноровані ко
msgid "My Birthday"
msgstr "Мій день народження"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "Мої стрічки"
@@ -2894,17 +2610,13 @@ msgstr "Мої стрічки"
msgid "My Profile"
msgstr "Мій профіль"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr ""
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
-msgstr "Мої збережені канали"
-
-#: src/view/com/auth/server-input/index.tsx:118
-#~ msgid "my-server.com"
-#~ msgstr "my-server.com"
+msgstr "Мої збережені стрічки"
#: src/view/com/modals/AddAppPasswords.tsx:180
#: src/view/com/modals/CreateOrEditList.tsx:291
@@ -2926,7 +2638,7 @@ msgid "Nature"
msgstr "Природа"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "Переходить до наступного екрана"
@@ -2935,15 +2647,10 @@ msgstr "Переходить до наступного екрана"
msgid "Navigates to your profile"
msgstr "Переходить до вашого профілю"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr ""
-#: src/view/com/modals/EmbedConsent.tsx:107
-#: src/view/com/modals/EmbedConsent.tsx:123
-#~ msgid "Never load embeds from {0}"
-#~ msgstr "Не завантажувати вбудування з {0}"
-
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:72
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:74
msgid "Never lose access to your followers and data."
@@ -2953,13 +2660,9 @@ msgstr "Ніколи не втрачайте доступ до ваших дан
msgid "Never lose access to your followers or data."
msgstr "Ніколи не втрачайте доступ до ваших підписників та даних."
-#: src/components/dialogs/MutedWords.tsx:293
-#~ msgid "Nevermind"
-#~ msgstr "Скасувати"
-
#: src/view/com/modals/ChangeHandle.tsx:519
msgid "Nevermind, create a handle for me"
-msgstr ""
+msgstr "Неважливо, створіть псевдо мені"
#: src/view/screens/Lists.tsx:76
msgctxt "action"
@@ -2987,12 +2690,12 @@ msgctxt "action"
msgid "New post"
msgstr "Новий пост"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "Новий пост"
@@ -3016,12 +2719,12 @@ msgstr "Новини"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3045,8 +2748,8 @@ msgstr "Наступне зображення"
msgid "No"
msgstr "Ні"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "Опис відсутній"
@@ -3058,9 +2761,9 @@ msgstr ""
msgid "No longer following {0}"
msgstr "Ви більше не підписані на {0}"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
-msgstr ""
+msgstr "Не може бути довшим за 253 символи"
#: src/view/com/notifications/Feed.tsx:109
msgid "No notifications yet!"
@@ -3075,13 +2778,13 @@ msgstr "Результати відсутні"
msgid "No results found"
msgstr "Нічого не знайдено"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "Нічого не знайдено за запитом «{query}»"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "Нічого не знайдено за запитом «{query}»"
@@ -3108,7 +2811,7 @@ msgid "Not Applicable."
msgstr "Не застосовно."
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "Не знайдено"
@@ -3118,8 +2821,8 @@ msgid "Not right now"
msgstr "Пізніше"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr ""
@@ -3127,13 +2830,13 @@ msgstr ""
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "Примітка: Bluesky є відкритою і публічною мережею. Цей параметр обмежує видимість вашого вмісту лише у застосунках і на сайті Bluesky, але інші застосунки можуть цього не дотримуватися. Ваш вміст все ще може бути показаний відвідувачам без облікового запису іншими застосунками і вебсайтами."
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "Сповіщення"
@@ -3143,19 +2846,15 @@ msgstr "Оголеність"
#: src/lib/moderation/useReportOptions.ts:71
msgid "Nudity or adult content not labeled as such"
-msgstr ""
+msgstr "Нагота чи матеріали для дорослих не позначені відповідним чином"
-#: src/lib/moderation/useReportOptions.ts:71
-#~ msgid "Nudity or pornography not labeled as such"
-#~ msgstr ""
-
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
#: src/lib/moderation/useLabelBehaviorDescription.ts:11
msgid "Off"
-msgstr ""
+msgstr "Вимк."
#: src/view/com/util/ErrorBoundary.tsx:49
msgid "Oh no!"
@@ -3166,9 +2865,9 @@ msgid "Oh no! Something went wrong."
msgstr "Ой! Щось пішло не так."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
-msgstr ""
+msgstr "OK"
#: src/screens/Login/PasswordUpdatedForm.tsx:44
msgid "Okay"
@@ -3178,7 +2877,7 @@ msgstr "Добре"
msgid "Oldest replies first"
msgstr "Спочатку найдавніші"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "Скинути ознайомлення"
@@ -3190,9 +2889,9 @@ msgstr "Для одного або кількох зображень відсу
msgid "Only {0} can reply."
msgstr "Тільки {0} можуть відповідати."
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
-msgstr ""
+msgstr "Тільки літери, цифри та дефіс"
#: src/components/Lists.tsx:75
msgid "Oops, something went wrong!"
@@ -3200,7 +2899,7 @@ msgstr "Ой, щось пішло не так!"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Ой!"
@@ -3208,20 +2907,16 @@ msgstr "Ой!"
msgid "Open"
msgstr "Відкрити"
-#: src/view/screens/Moderation.tsx:75
-#~ msgid "Open content filtering settings"
-#~ msgstr "Відкрити налаштування фільтрації контенту"
-
#: src/view/com/composer/Composer.tsx:491
#: src/view/com/composer/Composer.tsx:492
msgid "Open emoji picker"
msgstr "Емоджі"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr ""
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "Вбудований браузер"
@@ -3229,24 +2924,20 @@ msgstr "Вбудований браузер"
msgid "Open muted words and tags settings"
msgstr ""
-#: src/view/screens/Moderation.tsx:92
-#~ msgid "Open muted words settings"
-#~ msgstr "Відкрити налаштування ігнорування слів"
-
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "Відкрити навігацію"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr "Відкрити меню налаштувань посту"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "Відкрити storybook сторінку"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr ""
@@ -3258,7 +2949,7 @@ msgstr "Відкриває меню з {numItems} опціями"
msgid "Opens additional details for a debug entry"
msgstr "Відкриває додаткову інформацію про запис для налагодження"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "Відкрити розширений список користувачів у цьому сповіщенні"
@@ -3270,7 +2961,7 @@ msgstr "Відкриває камеру на пристрої"
msgid "Opens composer"
msgstr "Відкрити редактор"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "Відкриває налаштування мов"
@@ -3278,63 +2969,41 @@ msgstr "Відкриває налаштування мов"
msgid "Opens device photo gallery"
msgstr "Відкриває фотогалерею пристрою"
-#: src/view/com/profile/ProfileHeader.tsx:420
-#~ msgid "Opens editor for profile display name, avatar, background image, and description"
-#~ msgstr "Відкриває редактор для назви профілю, аватара, фонового зображення та опису"
-
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "Відкриває налаштування зовнішніх вбудувань"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr ""
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr ""
-#: src/view/com/profile/ProfileHeader.tsx:575
-#~ msgid "Opens followers list"
-#~ msgstr "Відкриває список підписників"
-
-#: src/view/com/profile/ProfileHeader.tsx:594
-#~ msgid "Opens following list"
-#~ msgstr "Відкриває список нижче"
-
-#: src/view/screens/Settings.tsx:412
-#~ msgid "Opens invite code list"
-#~ msgstr ""
-
#: src/view/com/modals/InviteCodes.tsx:173
msgid "Opens list of invite codes"
msgstr "Відкриває список кодів запрошення"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr ""
-#: src/view/screens/Settings/index.tsx:774
-#~ msgid "Opens modal for account deletion confirmation. Requires email code."
-#~ msgstr "Відкриється модальне повідомлення для видалення облікового запису. Потрібен код електронної пошти."
-
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr ""
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr ""
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr ""
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr ""
@@ -3342,7 +3011,7 @@ msgstr ""
msgid "Opens modal for using custom domain"
msgstr "Відкриває діалог налаштування власного домену як псевдоніму"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "Відкриває налаштування модерації"
@@ -3350,45 +3019,37 @@ msgstr "Відкриває налаштування модерації"
msgid "Opens password reset form"
msgstr "Відкриває форму скидання пароля"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "Відкриває сторінку з усіма збереженими стрічками"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "Відкриває сторінку з усіма збереженими каналами"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr ""
-#: src/view/screens/Settings/index.tsx:676
-#~ msgid "Opens the app password settings page"
-#~ msgstr "Відкриває налаштування паролів для застосунків"
-
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr ""
-#: src/view/screens/Settings/index.tsx:535
-#~ msgid "Opens the home feed preferences"
-#~ msgstr "Відкриває налаштування Головного каналу"
-
#: src/view/com/modals/LinkWarning.tsx:93
msgid "Opens the linked website"
msgstr ""
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr ""
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "Відкриває системний журнал"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "Відкриває налаштування гілок"
@@ -3396,7 +3057,7 @@ msgstr "Відкриває налаштування гілок"
msgid "Option {0} of {numItems}"
msgstr "Опція {0} з {numItems}"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr ""
@@ -3412,10 +3073,6 @@ msgstr ""
msgid "Other account"
msgstr "Інший обліковий запис"
-#: src/view/com/modals/ServerInput.tsx:88
-#~ msgid "Other service"
-#~ msgstr ""
-
#: src/view/com/composer/select-language/SelectLangBtn.tsx:91
msgid "Other..."
msgstr "Інші..."
@@ -3430,7 +3087,7 @@ msgid "Page Not Found"
msgstr "Сторінку не знайдено"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3448,6 +3105,11 @@ msgstr "Пароль змінено"
msgid "Password updated!"
msgstr "Пароль змінено!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "Люди, на яких підписаний(-на) @{0}"
@@ -3468,24 +3130,20 @@ msgstr "Дозвіл на доступ до камери був забороне
msgid "Pets"
msgstr "Домашні улюбленці"
-#: src/view/com/auth/create/Step2.tsx:183
-#~ msgid "Phone number"
-#~ msgstr ""
-
#: src/view/com/modals/SelfLabel.tsx:121
msgid "Pictures meant for adults."
msgstr "Зображення, призначені для дорослих."
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
-msgstr "Закріпити"
+msgstr "Закріпити до головної"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
-msgstr ""
+msgstr "Закріп до головної"
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "Закріплені стрічки"
@@ -3522,10 +3180,6 @@ msgstr "Будь ласка, підтвердіть вашу електронн
msgid "Please enter a name for your app password. All spaces is not allowed."
msgstr "Будь ласка, введіть ім'я для пароля застосунку. Пробіли і пропуски не допускаються."
-#: src/view/com/auth/create/Step2.tsx:206
-#~ msgid "Please enter a phone number that can receive SMS text messages."
-#~ msgstr ""
-
#: src/view/com/modals/AddAppPasswords.tsx:146
msgid "Please enter a unique name for this App Password or use our randomly generated one."
msgstr "Будь ласка, введіть унікальну назву для цього паролю або використовуйте нашу випадково згенеровану."
@@ -3534,14 +3188,6 @@ msgstr "Будь ласка, введіть унікальну назву для
msgid "Please enter a valid word, tag, or phrase to mute"
msgstr "Будь ласка, введіть допустиме слово, тег або фразу для ігнорування"
-#: src/view/com/auth/create/state.ts:170
-#~ msgid "Please enter the code you received by SMS."
-#~ msgstr ""
-
-#: src/view/com/auth/create/Step2.tsx:282
-#~ msgid "Please enter the verification code sent to {phoneNumberFormatted}."
-#~ msgstr ""
-
#: src/screens/Signup/state.ts:220
msgid "Please enter your email."
msgstr "Будь ласка, введіть адресу ел. пошти."
@@ -3554,16 +3200,6 @@ msgstr "Будь ласка, також введіть ваш пароль:"
msgid "Please explain why you think this label was incorrectly applied by {0}"
msgstr ""
-#: src/view/com/modals/AppealLabel.tsx:72
-#: src/view/com/modals/AppealLabel.tsx:75
-#~ msgid "Please tell us why you think this content warning was incorrectly applied!"
-#~ msgstr "Будь ласка, вкажіть чому ви вважаєте що попередження про вміст було додано неправильно?"
-
-#: src/view/com/modals/AppealLabel.tsx:72
-#: src/view/com/modals/AppealLabel.tsx:75
-#~ msgid "Please tell us why you think this decision was incorrect."
-#~ msgstr ""
-
#: src/view/com/modals/VerifyEmail.tsx:101
msgid "Please Verify Your Email"
msgstr "Підтвердьте свою адресу електронної пошти"
@@ -3580,10 +3216,6 @@ msgstr "Політика"
msgid "Porn"
msgstr "Порнографія"
-#: src/lib/moderation/useGlobalLabelStrings.ts:34
-#~ msgid "Pornography"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:367
#: src/view/com/composer/Composer.tsx:375
msgctxt "action"
@@ -3605,7 +3237,7 @@ msgstr "Пост від {0}"
msgid "Post by @{0}"
msgstr "Пост від @{0}"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "Пост видалено"
@@ -3616,12 +3248,12 @@ msgstr "Пост приховано"
#: src/components/moderation/ModerationDetailsDialog.tsx:97
#: src/lib/moderation/useModerationCauseDescription.ts:99
msgid "Post Hidden by Muted Word"
-msgstr ""
+msgstr "Пост схований вимкненим словом"
#: src/components/moderation/ModerationDetailsDialog.tsx:100
#: src/lib/moderation/useModerationCauseDescription.ts:108
msgid "Post Hidden by You"
-msgstr ""
+msgstr "Пост схований вами"
#: src/view/com/composer/select-language/SelectLangBtn.tsx:87
msgid "Post language"
@@ -3640,7 +3272,8 @@ msgstr "Пост не знайдено"
msgid "posts"
msgstr "пости"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "Пости"
@@ -3656,13 +3289,13 @@ msgstr "Пости приховано"
msgid "Potentially Misleading Link"
msgstr "Потенційно оманливе посилання"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
-msgstr ""
+msgstr "Змінити хостинг-провайдера"
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr ""
@@ -3678,7 +3311,7 @@ msgstr "Основна мова"
msgid "Prioritize Your Follows"
msgstr "Пріоритезувати ваші підписки"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "Конфіденційність"
@@ -3686,8 +3319,8 @@ msgstr "Конфіденційність"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "Політика конфіденційності"
@@ -3696,15 +3329,15 @@ msgid "Processing..."
msgstr "Обробка..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr ""
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "Профіль"
@@ -3712,7 +3345,7 @@ msgstr "Профіль"
msgid "Profile updated"
msgstr "Профіль оновлено"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "Захистіть свій обліковий запис, підтвердивши свою електронну адресу."
@@ -3758,15 +3391,15 @@ msgstr "У випадковому порядку"
msgid "Ratios"
msgstr "Співвідношення сторін"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr ""
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "Рекомендовані стрічки"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "Рекомендовані користувачі"
@@ -3779,21 +3412,17 @@ msgstr "Рекомендовані користувачі"
msgid "Remove"
msgstr "Видалити"
-#: src/view/com/feeds/FeedSourceCard.tsx:108
-#~ msgid "Remove {0} from my feeds?"
-#~ msgstr "Вилучити {0} зі збережених стрічок?"
-
#: src/view/com/util/AccountDropdownBtn.tsx:22
msgid "Remove account"
msgstr "Видалити обліковий запис"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
-msgstr ""
+msgstr "Вилучити аватар"
#: src/view/com/util/UserBanner.tsx:148
msgid "Remove Banner"
-msgstr ""
+msgstr "Вилуч шапку"
#: src/view/com/posts/FeedErrorMessage.tsx:160
msgid "Remove feed"
@@ -3801,18 +3430,18 @@ msgstr "Видалити стрічку"
#: src/view/com/posts/FeedErrorMessage.tsx:201
msgid "Remove feed?"
-msgstr ""
+msgstr "Вилучити стрічку?"
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "Вилучити з моїх стрічок"
#: src/view/com/feeds/FeedSourceCard.tsx:278
msgid "Remove from my feeds?"
-msgstr ""
+msgstr "Вилучити з моїх стрічок?"
#: src/view/com/composer/photos/Gallery.tsx:167
msgid "Remove image"
@@ -3830,17 +3459,9 @@ msgstr "Вилучити ігноровані слова з вашого спи
msgid "Remove repost"
msgstr "Видалити репост"
-#: src/view/com/feeds/FeedSourceCard.tsx:175
-#~ msgid "Remove this feed from my feeds?"
-#~ msgstr "Вилучити цю стрічку з ваших стрічок?"
-
#: src/view/com/posts/FeedErrorMessage.tsx:202
msgid "Remove this feed from your saved feeds"
-msgstr ""
-
-#: src/view/com/posts/FeedErrorMessage.tsx:132
-#~ msgid "Remove this feed from your saved feeds?"
-#~ msgstr "Вилучити цю стрічку зі збережених стрічок?"
+msgstr "Вилуч цю стрічку з ваших збережених"
#: src/view/com/modals/ListAddRemoveUsers.tsx:199
#: src/view/com/modals/UserAddRemoveLists.tsx:152
@@ -3851,15 +3472,15 @@ msgstr "Вилучено зі списку"
msgid "Removed from my feeds"
msgstr "Вилучено з моїх стрічок"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
-msgstr ""
+msgstr "Вилучено з ваших стрічок"
#: src/view/com/composer/ExternalEmbed.tsx:71
msgid "Removes default thumbnail from {0}"
msgstr "Видаляє мініатюру за замовчуванням з {0}"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "Відповіді"
@@ -3876,16 +3497,12 @@ msgstr "Відповісти"
msgid "Reply Filters"
msgstr "Які відповіді показувати"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "У відповідь <0/>"
-#: src/view/com/modals/report/Modal.tsx:166
-#~ msgid "Report {collectionName}"
-#~ msgstr "Поскаржитись на {collectionName}"
-
#: src/view/com/profile/ProfileMenu.tsx:319
#: src/view/com/profile/ProfileMenu.tsx:322
msgid "Report Account"
@@ -3895,39 +3512,39 @@ msgstr "Поскаржитись на обліковий запис"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "Поскаржитись на стрічку"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "Поскаржитись на список"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "Поскаржитись на пост"
#: src/components/ReportDialog/SelectReportOptionView.tsx:42
msgid "Report this content"
-msgstr ""
+msgstr "Повідом про цей вміст"
#: src/components/ReportDialog/SelectReportOptionView.tsx:55
msgid "Report this feed"
-msgstr ""
+msgstr "Повідом про цю стрічку"
#: src/components/ReportDialog/SelectReportOptionView.tsx:52
msgid "Report this list"
-msgstr ""
+msgstr "Повідом про цей список"
#: src/components/ReportDialog/SelectReportOptionView.tsx:49
msgid "Report this post"
-msgstr ""
+msgstr "Повідом про цей пост"
#: src/components/ReportDialog/SelectReportOptionView.tsx:46
msgid "Report this user"
-msgstr ""
+msgstr "Повідом про цього ужитковця"
#: src/view/com/modals/Repost.tsx:44
#: src/view/com/modals/Repost.tsx:49
@@ -3950,15 +3567,19 @@ msgstr "Репостити або цитувати"
msgid "Reposted By"
msgstr "Зробив(-ла) репост"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "{0} зробив(-ла) репост"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "<0/> зробив(-ла) репост"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "<0/> зробив(-ла) репост"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "зробив(-ла) репост вашого допису"
@@ -3971,16 +3592,12 @@ msgstr "Репости цього поста"
msgid "Request Change"
msgstr "Змінити"
-#: src/view/com/auth/create/Step2.tsx:219
-#~ msgid "Request code"
-#~ msgstr ""
-
#: src/view/com/modals/ChangePassword.tsx:241
#: src/view/com/modals/ChangePassword.tsx:243
msgid "Request Code"
msgstr "Надіслати запит на код"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "Вимагати опис зображень перед публікацією"
@@ -3996,12 +3613,8 @@ msgstr "Код підтвердження"
msgid "Reset Code"
msgstr "Код скидання"
-#: src/view/screens/Settings/index.tsx:824
-#~ msgid "Reset onboarding"
-#~ msgstr "Скинути ознайомлення"
-
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr ""
@@ -4009,20 +3622,16 @@ msgstr ""
msgid "Reset password"
msgstr "Скинути пароль"
-#: src/view/screens/Settings/index.tsx:814
-#~ msgid "Reset preferences"
-#~ msgstr "Скинути налаштування"
-
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr ""
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr ""
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr ""
@@ -4041,18 +3650,14 @@ msgstr "Повторити останню дію, яка спричинила п
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
msgstr "Повторити спробу"
-#: src/view/com/auth/create/Step2.tsx:247
-#~ msgid "Retry."
-#~ msgstr ""
-
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "Повернутися до попередньої сторінки"
@@ -4065,10 +3670,6 @@ msgstr ""
msgid "Returns to previous page"
msgstr ""
-#: src/view/shell/desktop/RightNav.tsx:55
-#~ msgid "SANDBOX. Posts and accounts are not permanent."
-#~ msgstr ""
-
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/view/com/modals/ChangeHandle.tsx:174
#: src/view/com/modals/CreateOrEditList.tsx:338
@@ -4088,7 +3689,7 @@ msgstr "Зберегти опис"
#: src/components/dialogs/BirthDateSettings.tsx:119
msgid "Save birthday"
-msgstr ""
+msgstr "Збережи уродини"
#: src/view/com/modals/EditProfile.tsx:233
msgid "Save Changes"
@@ -4102,12 +3703,12 @@ msgstr "Зберегти новий псевдонім"
msgid "Save image crop"
msgstr "Обрізати зображення"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
-msgstr ""
+msgstr "Збережи до мої стрічок"
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "Збережені стрічки"
@@ -4115,9 +3716,9 @@ msgstr "Збережені стрічки"
msgid "Saved to your camera roll."
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
-msgstr ""
+msgstr "Збережено до ваших стрічок"
#: src/view/com/modals/EditProfile.tsx:226
msgid "Saves any changes to your profile"
@@ -4135,28 +3736,28 @@ msgstr ""
msgid "Science"
msgstr "Наука"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "Прогорнути вгору"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "Пошук"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "Шукати \"{query}\""
@@ -4165,18 +3766,10 @@ msgstr "Шукати \"{query}\""
msgid "Search for all posts by @{authorHandle} with tag {displayTag}"
msgstr "Пошук усіх повідомлень @{authorHandle} з тегом {displayTag}"
-#: src/components/TagMenu/index.tsx:145
-#~ msgid "Search for all posts by @{authorHandle} with tag {tag}"
-#~ msgstr ""
-
#: src/components/TagMenu/index.tsx:94
msgid "Search for all posts with tag {displayTag}"
msgstr "Пошук усіх повідомлень з тегом {displayTag}"
-#: src/components/TagMenu/index.tsx:90
-#~ msgid "Search for all posts with tag {tag}"
-#~ msgstr ""
-
#: src/view/com/auth/LoggedOut.tsx:105
#: src/view/com/auth/LoggedOut.tsx:106
#: src/view/com/modals/ListAddRemoveUsers.tsx:70
@@ -4203,21 +3796,18 @@ msgstr "Переглянути пости з <0>{displayTag}0>"
msgid "See <0>{displayTag}0> posts by this user"
msgstr "Переглянути пости цього користувача з <0>{displayTag}0>"
-#: src/components/TagMenu/index.tsx:128
-#~ msgid "See <0>{tag}0> posts"
-#~ msgstr ""
-
-#: src/components/TagMenu/index.tsx:189
-#~ msgid "See <0>{tag}0> posts by this user"
-#~ msgstr ""
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "Перегляньте цей посібник"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "Що далі?"
+#~ msgid "See what's next"
+#~ msgstr "Що далі?"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4225,11 +3815,7 @@ msgstr "Обрати {item}"
#: src/screens/Login/ChooseAccountForm.tsx:61
msgid "Select account"
-msgstr ""
-
-#: src/view/com/modals/ServerInput.tsx:75
-#~ msgid "Select Bluesky Social"
-#~ msgstr ""
+msgstr "Обрати обліковий запис"
#: src/screens/Login/index.tsx:120
msgid "Select from an existing account"
@@ -4237,7 +3823,7 @@ msgstr "Вибрати існуючий обліковий запис"
#: src/view/screens/LanguageSettings.tsx:299
msgid "Select languages"
-msgstr ""
+msgstr "Обери мови"
#: src/components/ReportDialog/SelectLabelerView.tsx:30
msgid "Select moderator"
@@ -4247,16 +3833,11 @@ msgstr ""
msgid "Select option {i} of {numItems}"
msgstr "Обрати варіант {i} із {numItems}"
-#: src/view/com/auth/create/Step1.tsx:96
-#: src/view/com/auth/login/LoginForm.tsx:153
-#~ msgid "Select service"
-#~ msgstr "Вибрати хостинг-провайдера"
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:52
msgid "Select some accounts below to follow"
msgstr "Оберіть деякі облікові записи, щоб підписатися"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr ""
@@ -4264,10 +3845,6 @@ msgstr ""
msgid "Select the service that hosts your data."
msgstr "Виберіть хостинг-провайдера для ваших даних."
-#: src/screens/Onboarding/StepModeration/index.tsx:49
-#~ msgid "Select the types of content that you want to see (or not see), and we'll handle the rest."
-#~ msgstr ""
-
#: src/screens/Onboarding/StepTopicalFeeds.tsx:100
msgid "Select topical feeds to follow from the list below"
msgstr "Підпишіться на тематичні стрічки зі списку нижче"
@@ -4280,15 +3857,11 @@ msgstr "Виберіть, що ви хочете бачити (або не ба
msgid "Select which languages you want your subscribed feeds to include. If none are selected, all languages will be shown."
msgstr "Оберіть мови постів, які ви хочете бачити у збережених каналах. Якщо не вибрано жодної – буде показано пости всіма мовами."
-#: src/view/screens/LanguageSettings.tsx:98
-#~ msgid "Select your app language for the default text to display in the app"
-#~ msgstr "Оберіть мову інтерфейсу"
-
#: src/view/screens/LanguageSettings.tsx:98
msgid "Select your app language for the default text to display in the app."
msgstr ""
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -4296,10 +3869,6 @@ msgstr ""
msgid "Select your interests from the options below"
msgstr "Виберіть ваші інтереси із нижченаведених варіантів"
-#: src/view/com/auth/create/Step2.tsx:155
-#~ msgid "Select your phone's country"
-#~ msgstr ""
-
#: src/view/screens/LanguageSettings.tsx:190
msgid "Select your preferred language for translations in your feed."
msgstr "Оберіть бажану мову для перекладів у вашій стрічці."
@@ -4326,20 +3895,16 @@ msgctxt "action"
msgid "Send Email"
msgstr "Надіслати ел. лист"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "Надіслати відгук"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr ""
-#: src/view/com/modals/report/SendReportButton.tsx:45
-#~ msgid "Send Report"
-#~ msgstr "Поскаржитись"
-
#: src/components/ReportDialog/SelectLabelerView.tsx:44
msgid "Send report to {0}"
msgstr ""
@@ -4352,48 +3917,14 @@ msgstr "Надсилає електронний лист з кодом підт
msgid "Server address"
msgstr "Адреса сервера"
-#: src/view/com/modals/ContentFilteringSettings.tsx:311
-#~ msgid "Set {value} for {labelGroup} content moderation policy"
-#~ msgstr "Встановити {value} для політики модерації вмісту {labelGroup}"
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:160
-#: src/view/com/modals/ContentFilteringSettings.tsx:179
-#~ msgctxt "action"
-#~ msgid "Set Age"
-#~ msgstr "Встановити вік"
-
#: src/screens/Moderation/index.tsx:304
msgid "Set birthdate"
msgstr ""
-#: src/view/screens/Settings/index.tsx:488
-#~ msgid "Set color theme to dark"
-#~ msgstr "Встановити темне оформлення"
-
-#: src/view/screens/Settings/index.tsx:481
-#~ msgid "Set color theme to light"
-#~ msgstr "Встановити світле оформлення"
-
-#: src/view/screens/Settings/index.tsx:475
-#~ msgid "Set color theme to system setting"
-#~ msgstr "Встановити системне оформлення"
-
-#: src/view/screens/Settings/index.tsx:514
-#~ msgid "Set dark theme to the dark theme"
-#~ msgstr "Встановити темну тему"
-
-#: src/view/screens/Settings/index.tsx:507
-#~ msgid "Set dark theme to the dim theme"
-#~ msgstr "Встановити темну тьмяну тему"
-
#: src/screens/Login/SetNewPasswordForm.tsx:102
msgid "Set new password"
msgstr "Зміна пароля"
-#: src/view/com/auth/create/Step1.tsx:202
-#~ msgid "Set password"
-#~ msgstr "Встановити пароль"
-
#: src/view/screens/PreferencesFollowingFeed.tsx:225
msgid "Set this setting to \"No\" to hide all quote posts from your feed. Reposts will still be visible."
msgstr "Вимкніть цей параметр, щоб приховати всі цитовані пости у вашій стрічці. Не впливає на репости без цитування."
@@ -4410,10 +3941,6 @@ msgstr "Вимкніть цей параметр, щоб приховати вс
msgid "Set this setting to \"Yes\" to show replies in a threaded view. This is an experimental feature."
msgstr "Увімкніть це налаштування, щоб показувати відповіді у вигляді гілок. Це експериментальна функція."
-#: src/view/screens/PreferencesHomeFeed.tsx:261
-#~ msgid "Set this setting to \"Yes\" to show samples of your saved feeds in your following feed. This is an experimental feature."
-#~ msgstr ""
-
#: src/view/screens/PreferencesFollowingFeed.tsx:261
msgid "Set this setting to \"Yes\" to show samples of your saved feeds in your Following feed. This is an experimental feature."
msgstr "Увімкніть це налаштування, щоб іноді бачити пости зі збережених стрічок у вашій домашній стрічці. Це експериментальна функція."
@@ -4426,23 +3953,23 @@ msgstr "Налаштуйте ваш обліковий запис"
msgid "Sets Bluesky username"
msgstr "Встановлює псевдонім Bluesky"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr ""
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr ""
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr ""
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr ""
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr ""
@@ -4450,10 +3977,6 @@ msgstr ""
msgid "Sets email for password reset"
msgstr "Встановлює ел. адресу для скидання пароля"
-#: src/view/com/auth/login/ForgotPasswordForm.tsx:122
-#~ msgid "Sets hosting provider for password reset"
-#~ msgstr "Встановлює хостинг-провайдером для скидання пароля"
-
#: src/view/com/modals/crop-image/CropImage.web.tsx:124
msgid "Sets image aspect ratio to square"
msgstr ""
@@ -4466,16 +3989,11 @@ msgstr ""
msgid "Sets image aspect ratio to wide"
msgstr ""
-#: src/view/com/auth/create/Step1.tsx:97
-#: src/view/com/auth/login/LoginForm.tsx:154
-#~ msgid "Sets server for the Bluesky client"
-#~ msgstr "Встановлює сервер для застосунку Bluesky"
-
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "Налаштування"
@@ -4494,28 +4012,28 @@ msgstr "Поширити"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "Поширити"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "Поширити стрічку"
#: src/view/com/modals/LinkWarning.tsx:89
#: src/view/com/modals/LinkWarning.tsx:95
msgid "Share Link"
-msgstr ""
+msgstr "Поділитись посиланням"
#: src/view/com/modals/LinkWarning.tsx:92
msgid "Shares the linked website"
@@ -4525,7 +4043,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "Показувати"
@@ -4547,17 +4065,13 @@ msgstr ""
msgid "Show badge and filter from feeds"
msgstr ""
-#: src/view/com/modals/EmbedConsent.tsx:87
-#~ msgid "Show embeds from {0}"
-#~ msgstr "Показати вбудування з {0}"
-
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:200
msgid "Show follows similar to {0}"
msgstr "Показати підписки, схожі на {0}"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "Показати більше"
@@ -4614,7 +4128,7 @@ msgstr "Показувати репости у стрічці \"Following\""
msgid "Show the content"
msgstr "Показати вміст"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "Показати користувачів"
@@ -4626,41 +4140,31 @@ msgstr ""
msgid "Show warning and filter from feeds"
msgstr ""
-#: src/view/com/profile/ProfileHeader.tsx:462
-#~ msgid "Shows a list of users similar to this user."
-#~ msgstr "Показує список користувачів, схожих на цього."
-
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:130
msgid "Shows posts from {0} in your feed"
msgstr "Показує дописи з {0} у вашій стрічці"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "Увійти"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:82
-#: src/view/com/auth/SplashScreen.tsx:86
-#: src/view/com/auth/SplashScreen.web.tsx:91
-#~ msgid "Sign In"
-#~ msgstr "Увійти"
-
#: src/components/AccountList.tsx:109
msgid "Sign in as {0}"
msgstr "Увійти як {0}"
@@ -4669,28 +4173,32 @@ msgstr "Увійти як {0}"
msgid "Sign in as..."
msgstr "Увійти як..."
-#: src/view/com/auth/login/LoginForm.tsx:140
-#~ msgid "Sign into"
-#~ msgstr "Увійти до"
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "Вийти"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "Зареєструватися"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "Зареєструйтеся або увійдіть, щоб приєднатися до розмови"
@@ -4699,7 +4207,7 @@ msgstr "Зареєструйтеся або увійдіть, щоб приєд
msgid "Sign-in Required"
msgstr "Необхідно увійти для перегляду"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "Ви увійшли як"
@@ -4707,10 +4215,6 @@ msgstr "Ви увійшли як"
msgid "Signed in as @{0}"
msgstr "Ви увійшли як @{0}"
-#: src/view/com/modals/SwitchAccount.tsx:70
-#~ msgid "Signs {0} out of Bluesky"
-#~ msgstr "Виходить з Bluesky облікового запису {0}"
-
#: src/screens/Onboarding/StepInterests/index.tsx:239
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:203
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:35
@@ -4721,33 +4225,17 @@ msgstr "Пропустити"
msgid "Skip this flow"
msgstr "Пропустити цей процес"
-#: src/view/com/auth/create/Step2.tsx:82
-#~ msgid "SMS verification"
-#~ msgstr ""
-
#: src/screens/Onboarding/index.tsx:40
msgid "Software Dev"
msgstr "Розробка П/З"
-#: src/view/com/modals/ProfilePreview.tsx:62
-#~ msgid "Something went wrong and we're not sure what."
-#~ msgstr ""
-
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr ""
-#: src/components/Lists.tsx:203
-#~ msgid "Something went wrong!"
-#~ msgstr "Щось пішло не так!"
-
-#: src/view/com/modals/Waitlist.tsx:51
-#~ msgid "Something went wrong. Check your email and try again."
-#~ msgstr ""
-
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "Даруйте! Ваш сеанс вичерпався. Будь ласка, увійдіть знову."
@@ -4761,15 +4249,15 @@ msgstr "Оберіть, як сортувати відповіді до пост
#: src/components/moderation/LabelsOnMeDialog.tsx:146
msgid "Source:"
-msgstr ""
+msgstr "Джерело:"
#: src/lib/moderation/useReportOptions.ts:65
msgid "Spam"
-msgstr ""
+msgstr "Спам"
#: src/lib/moderation/useReportOptions.ts:53
msgid "Spam; excessive mentions or replies"
-msgstr ""
+msgstr "Спам; надмірні згадки або відповіді"
#: src/screens/Onboarding/index.tsx:30
msgid "Sports"
@@ -4779,28 +4267,20 @@ msgstr "Спорт"
msgid "Square"
msgstr "Квадратне"
-#: src/view/com/modals/ServerInput.tsx:62
-#~ msgid "Staging"
-#~ msgstr ""
-
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "Сторінка стану"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
-msgstr ""
+msgstr "Крок"
-#: src/view/com/auth/create/StepHeader.tsx:22
-#~ msgid "Step {0} of {numSteps}"
-#~ msgstr "Крок {0} / {numSteps}"
-
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "Сховище очищено, тепер вам треба перезапустити застосунок."
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr ""
@@ -4809,15 +4289,15 @@ msgstr ""
msgid "Submit"
msgstr "Надіслати"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "Підписатися"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr ""
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr ""
@@ -4826,15 +4306,15 @@ msgstr ""
msgid "Subscribe to the {0} feed"
msgstr "Підписатися на {0} стрічку"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr ""
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "Підписатися на цей список"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "Пропоновані підписки"
@@ -4852,28 +4332,24 @@ msgstr "Непристойний"
msgid "Support"
msgstr "Підтримка"
-#: src/view/com/modals/ProfilePreview.tsx:110
-#~ msgid "Swipe up to see more"
-#~ msgstr ""
-
#: src/components/dialogs/SwitchAccount.tsx:46
#: src/components/dialogs/SwitchAccount.tsx:49
msgid "Switch Account"
msgstr "Перемикнути обліковий запис"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "Переключитися на {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "Переключає обліковий запис"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "Системне"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "Системний журнал"
@@ -4885,10 +4361,6 @@ msgstr "тег"
msgid "Tag menu: {displayTag}"
msgstr "Меню тегів: {displayTag}"
-#: src/components/TagMenu/index.tsx:74
-#~ msgid "Tag menu: {tag}"
-#~ msgstr ""
-
#: src/view/com/modals/crop-image/CropImage.web.tsx:113
msgid "Tall"
msgstr "Високе"
@@ -4907,9 +4379,9 @@ msgstr "Умови"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "Умови Використання"
@@ -4917,7 +4389,7 @@ msgstr "Умови Використання"
#: src/lib/moderation/useReportOptions.ts:79
#: src/lib/moderation/useReportOptions.ts:87
msgid "Terms used violate community standards"
-msgstr ""
+msgstr "Уживані терміни порушують стандарти спільноти"
#: src/components/dialogs/MutedWords.tsx:323
msgid "text"
@@ -4927,19 +4399,19 @@ msgstr "текст"
msgid "Text input field"
msgstr "Поле вводу тексту"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
-msgstr ""
+msgstr "Дякую вам за повідомлення."
#: src/view/com/modals/ChangeHandle.tsx:465
msgid "That contains the following:"
msgstr ""
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "Цей псевдонім вже зайнятий."
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "Обліковий запис зможе взаємодіяти з вами після розблокування."
@@ -4989,8 +4461,8 @@ msgstr "Умови Використання перенесено до"
msgid "There are many feeds to try:"
msgstr "Також є багато інших стрічок, щоб спробувати:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "Виникла проблема з доступом до сервера. Перевірте підключення до Інтернету і повторіть спробу знову."
@@ -4998,15 +4470,15 @@ msgstr "Виникла проблема з доступом до сервера.
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "Виникла проблема при видаленні цієї стрічки. Перевірте підключення до Інтернету і повторіть спробу."
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "Виникла проблема з оновленням ваших стрічок. Перевірте підключення до Інтернету і повторіть спробу."
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "При з'єднанні з сервером виникла проблема"
@@ -5029,12 +4501,12 @@ msgstr "Виникла проблема з завантаженням пості
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "Виникла проблема з завантаженням списку. Натисніть тут, щоб повторити спробу."
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "Виникла проблема з завантаженням ваших списків. Натисніть тут, щоб повторити спробу."
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr ""
@@ -5060,10 +4532,10 @@ msgstr "Виникла проблема з завантаженням ваших
msgid "There was an issue! {0}"
msgstr "Виникла проблема! {0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "Виникла проблема. Перевірте підключення до Інтернету і повторіть спробу."
@@ -5075,10 +4547,6 @@ msgstr "У застосунку сталася неочікувана пробл
msgid "There's been a rush of new users to Bluesky! We'll activate your account as soon as we can."
msgstr "Відбувався наплив нових користувачів у Bluesky! Ми активуємо ваш обліковий запис як тільки зможемо."
-#: src/view/com/auth/create/Step2.tsx:55
-#~ msgid "There's something wrong with this number. Please choose your country and enter your full phone number!"
-#~ msgstr ""
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:146
msgid "These are popular accounts you might like:"
msgstr "Ці популярні користувачі можуть вам сподобатися:"
@@ -5116,10 +4584,6 @@ msgstr "Цей контент недоступний, оскільки один
msgid "This content is not viewable without a Bluesky account."
msgstr "Цей вміст не доступний для перегляду без облікового запису Bluesky."
-#: src/view/screens/Settings/ExportCarDialog.tsx:75
-#~ msgid "This feature is in beta. You can read more about repository exports in <0>this blogpost.0>"
-#~ msgstr "Ця функція знаходиться в беті. Ви можете дізнатися більше про експорт репозиторіїв в <0>у цьому блозі.0>"
-
#: src/view/screens/Settings/ExportCarDialog.tsx:75
msgid "This feature is in beta. You can read more about repository exports in <0>this blogpost0>."
msgstr ""
@@ -5128,9 +4592,9 @@ msgstr ""
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "Ця стрічка зараз отримує забагато запитів і тимчасово недоступна. Спробуйте ще раз пізніше."
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "Стрічка порожня!"
@@ -5150,7 +4614,7 @@ msgstr "Це важливо для випадку, якщо вам коли-не
msgid "This label was applied by {0}."
msgstr ""
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr ""
@@ -5158,7 +4622,7 @@ msgstr ""
msgid "This link is taking you to the following website:"
msgstr "Це посилання веде на сайт:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "Список порожній!"
@@ -5174,12 +4638,12 @@ msgstr "Це ім'я вже використовується"
msgid "This post has been deleted."
msgstr "Цей пост було видалено."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr ""
@@ -5208,14 +4672,6 @@ msgstr "Цей користувач заблокував вас. Ви не мо
msgid "This user has requested that their content only be shown to signed-in users."
msgstr ""
-#: src/view/com/modals/ModerationDetails.tsx:42
-#~ msgid "This user is included in the <0/> list which you have blocked."
-#~ msgstr "Цей користувач в списку \"<0/>\" на який ви підписались та заблокували."
-
-#: src/view/com/modals/ModerationDetails.tsx:74
-#~ msgid "This user is included in the <0/> list which you have muted."
-#~ msgstr "Цей користувач в списку \"<0/>\" який ви ігноруєте."
-
#: src/components/moderation/ModerationDetailsDialog.tsx:55
msgid "This user is included in the <0>{0}0> list which you have blocked."
msgstr ""
@@ -5224,10 +4680,6 @@ msgstr ""
msgid "This user is included in the <0>{0}0> list which you have muted."
msgstr ""
-#: src/view/com/modals/ModerationDetails.tsx:74
-#~ msgid "This user is included the <0/> list which you have muted."
-#~ msgstr ""
-
#: src/view/com/profile/ProfileFollows.tsx:87
msgid "This user isn't following anyone."
msgstr ""
@@ -5240,16 +4692,12 @@ msgstr "Це попередження доступне тільки для за
msgid "This will delete {0} from your muted words. You can always add it back later."
msgstr "Це видалить {0} зі ваших ігнорованих слів. Ви завжди можете додати його назад."
-#: src/view/com/util/forms/PostDropdownBtn.tsx:282
-#~ msgid "This will hide this post from your feeds."
-#~ msgstr "Це дія приховає цей пост із вашої стрічки."
-
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr ""
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "Налаштування гілок"
@@ -5277,14 +4725,18 @@ msgstr "Розкрити/сховати"
msgid "Toggle to enable or disable adult content"
msgstr ""
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "Редагування"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "Перекласти"
@@ -5297,11 +4749,11 @@ msgstr "Спробувати ще раз"
msgid "Type:"
msgstr ""
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "Розблокувати список"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "Перестати ігнорувати"
@@ -5309,15 +4761,15 @@ msgstr "Перестати ігнорувати"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "Не вдалося зв'язатися з вашим хостинг-провайдером. Перевірте ваше підключення до Інтернету."
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "Розблокувати"
@@ -5331,7 +4783,7 @@ msgstr "Розблокувати"
msgid "Unblock Account"
msgstr "Розблокувати обліковий запис"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr ""
@@ -5344,9 +4796,9 @@ msgid "Undo repost"
msgstr "Скасувати репост"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
-msgstr ""
+msgstr "Не стежити"
#: src/view/com/profile/FollowButton.tsx:60
msgctxt "action"
@@ -5362,20 +4814,16 @@ msgstr "Відписатися від {0}"
msgid "Unfollow Account"
msgstr ""
-#: src/view/com/auth/create/state.ts:262
-#~ msgid "Unfortunately, you do not meet the requirements to create an account."
-#~ msgstr "На жаль, ви не відповідаєте вимогам для створення облікового запису."
-
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "Прибрати вподобання"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr ""
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "Не ігнорувати"
@@ -5392,37 +4840,29 @@ msgstr "Перестати ігнорувати"
msgid "Unmute all {displayTag} posts"
msgstr "Перестати ігнорувати всі пости {displayTag}"
-#: src/components/TagMenu/index.tsx:210
-#~ msgid "Unmute all {tag} posts"
-#~ msgstr ""
-
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "Перестати ігнорувати"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "Відкріпити"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
-msgstr ""
+msgstr "Відкріп з головної"
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "Відкріпити список модерації"
-#: src/view/screens/ProfileFeed.tsx:346
-#~ msgid "Unsave"
-#~ msgstr "Скасувати збереження"
-
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
-msgstr ""
+msgstr "Відписатися"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr ""
@@ -5434,10 +4874,6 @@ msgstr ""
msgid "Update {displayName} in Lists"
msgstr "Змінити належність {displayName} до списків"
-#: src/lib/hooks/useOTAUpdate.ts:15
-#~ msgid "Update Available"
-#~ msgstr "Доступне оновлення"
-
#: src/view/com/modals/ChangeHandle.tsx:508
msgid "Update to {handle}"
msgstr ""
@@ -5450,20 +4886,20 @@ msgstr "Оновлення..."
msgid "Upload a text file to:"
msgstr "Завантажити текстовий файл до:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr ""
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5503,10 +4939,6 @@ msgstr ""
msgid "Use this to sign into the other app along with your handle."
msgstr "Скористайтесь ним для входу в інші застосунки."
-#: src/view/com/modals/ServerInput.tsx:105
-#~ msgid "Use your domain as your Bluesky client service provider"
-#~ msgstr ""
-
#: src/view/com/modals/InviteCodes.tsx:201
msgid "Used by:"
msgstr "Використано:"
@@ -5532,22 +4964,18 @@ msgstr ""
msgid "User Blocks You"
msgstr "Користувач заблокував вас"
-#: src/view/com/auth/create/Step2.tsx:79
-#~ msgid "User handle"
-#~ msgstr "Псевдонім"
-
#: src/view/com/lists/ListCard.tsx:85
#: src/view/com/modals/UserAddRemoveLists.tsx:198
msgid "User list by {0}"
msgstr "Список користувачів від {0}"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "Список користувачів від <0/>"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "Список користувачів від вас"
@@ -5567,7 +4995,9 @@ msgstr "Списки користувачів"
msgid "Username or email address"
msgstr "Ім'я користувача або електронна адреса"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "Користувачі"
@@ -5587,23 +5017,19 @@ msgstr ""
msgid "Value:"
msgstr ""
-#: src/view/com/auth/create/Step2.tsx:243
-#~ msgid "Verification code"
-#~ msgstr ""
-
#: src/view/com/modals/ChangeHandle.tsx:509
msgid "Verify {0}"
msgstr ""
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "Підтвердити електронну адресу"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "Підтвердити мою електронну адресу"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "Підтвердити мою електронну адресу"
@@ -5616,9 +5042,9 @@ msgstr "Підтвердити нову адресу електронної по
msgid "Verify Your Email"
msgstr "Підтвердьте адресу вашої електронної пошти"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
-msgstr ""
+msgstr "Версія {0}"
#: src/screens/Onboarding/index.tsx:42
msgid "Video Games"
@@ -5632,11 +5058,11 @@ msgstr "Переглянути аватар {0}"
msgid "View debug entry"
msgstr "Переглянути запис для налагодження"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr ""
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr ""
@@ -5648,6 +5074,8 @@ msgstr "Переглянути обговорення"
msgid "View information about these labels"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "Переглянути профіль"
@@ -5660,7 +5088,7 @@ msgstr "Переглянути аватар"
msgid "View the labeling service provided by @{0}"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr ""
@@ -5684,10 +5112,6 @@ msgstr ""
msgid "Warn content and filter from feeds"
msgstr ""
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:134
-#~ msgid "We also think you'll like \"For You\" by Skygaze:"
-#~ msgstr "Гадаємо, вам також сподобається «For You» від Skygaze:"
-
#: src/screens/Hashtag.tsx:133
msgid "We couldn't find any results for that hashtag."
msgstr "Ми не змогли знайти жодних результатів для цього хештегу."
@@ -5704,10 +5128,6 @@ msgstr "Ми сподіваємося, що ви проведете чудово
msgid "We ran out of posts from your follows. Here's the latest from <0/>."
msgstr "У нас закінчилися дописи у ваших підписках. Ось останні пости зі стрічки <0/>."
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:118
-#~ msgid "We recommend \"For You\" by Skygaze:"
-#~ msgstr ""
-
#: src/components/dialogs/MutedWords.tsx:203
msgid "We recommend avoiding common words that appear in many posts, since it can result in no posts being shown."
msgstr "Ми рекомендуємо уникати загальних слів, що зʼявляються у багатьох постах, оскільки це може призвести до того, що жодного поста не буде показано."
@@ -5732,19 +5152,15 @@ msgstr "Ми не змогли під'єднатися. Будь ласка, с
msgid "We will let you know when your account is ready."
msgstr "Ми повідомимо вас, коли ваш обліковий запис буде готовий."
-#: src/view/com/modals/AppealLabel.tsx:48
-#~ msgid "We'll look into your appeal promptly."
-#~ msgstr "Ми скоро розглянемо вашу апеляцію."
-
#: src/screens/Onboarding/StepInterests/index.tsx:142
msgid "We'll use this to help customize your experience."
msgstr "Ми скористаємося цим, щоб підлаштувати Ваш досвід."
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "Ми дуже раді, що ви приєдналися!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "Дуже прикро, але нам не вдалося знайти цей список. Якщо це продовжується, будь ласка, зв'яжіться з його автором: @{handleOrDid}."
@@ -5752,7 +5168,7 @@ msgstr "Дуже прикро, але нам не вдалося знайти ц
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "На жаль, ми не змогли зараз завантажити ваші ігноровані слова. Будь ласка, спробуйте ще раз."
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "Даруйте, нам не вдалося виконати пошук за вашим запитом. Будь ласка, спробуйте ще раз через кілька хвилин."
@@ -5761,7 +5177,7 @@ msgstr "Даруйте, нам не вдалося виконати пошук
msgid "We're sorry! We can't find the page you were looking for."
msgstr "Нам дуже прикро! Ми не можемо знайти сторінку, яку ви шукали."
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr ""
@@ -5773,12 +5189,8 @@ msgstr "Ласкаво просимо до <0>Bluesky0>"
msgid "What are your interests?"
msgstr "Чим ви цікавитесь?"
-#: src/view/com/modals/report/Modal.tsx:169
-#~ msgid "What is the issue with this {collectionName}?"
-#~ msgstr "Яка проблема з {collectionName}?"
-
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "Як справи?"
@@ -5833,10 +5245,6 @@ msgstr "Написати відповідь"
msgid "Writers"
msgstr "Письменники"
-#: src/view/com/auth/create/Step2.tsx:263
-#~ msgid "XXXXXX"
-#~ msgstr ""
-
#: src/view/com/composer/select-language/SuggestedLanguage.tsx:77
#: src/view/screens/PreferencesFollowingFeed.tsx:129
#: src/view/screens/PreferencesFollowingFeed.tsx:201
@@ -5847,10 +5255,6 @@ msgstr "Письменники"
msgid "Yes"
msgstr "Так"
-#: src/screens/Onboarding/StepModeration/index.tsx:46
-#~ msgid "You are in control"
-#~ msgstr ""
-
#: src/screens/Deactivated.tsx:130
msgid "You are in line."
msgstr "Ви в черзі."
@@ -5864,10 +5268,6 @@ msgstr ""
msgid "You can also discover new Custom Feeds to follow."
msgstr "Також ви можете знайти кастомні стрічки для підписання."
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:123
-#~ msgid "You can also try our \"Discover\" algorithm:"
-#~ msgstr ""
-
#: src/screens/Onboarding/StepFollowingFeed.tsx:143
msgid "You can change these settings later."
msgstr "Ви можете змінити ці налаштування пізніше."
@@ -5885,15 +5285,15 @@ msgstr ""
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "У вас ще немає кодів запрошення! З часом ми надамо вам декілька."
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "У вас немає закріплених стрічок."
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "У вас немає збережених стрічок!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "У вас немає збережених стрічок."
@@ -5931,39 +5331,27 @@ msgstr ""
msgid "You have muted this user"
msgstr ""
-#: src/view/com/modals/ModerationDetails.tsx:87
-#~ msgid "You have muted this user."
-#~ msgstr "Ви включили функцію ігнорування цього користувача."
-
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "У вас немає стрічок."
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "У вас немає списків."
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr ""
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
-#~ msgid "You have not blocked any accounts yet. To block an account, go to their profile and selected \"Block account\" from the menu on their account."
-#~ msgstr "Ви ще не заблокували жодного облікового запису. Щоб заблокувати когось, перейдіть до їх профілю та виберіть опцію \"Заблокувати\" у меню їх облікового запису."
-
#: src/view/screens/AppPasswords.tsx:89
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "Ви ще не створили жодного пароля для застосунків. Ви можете створити новий пароль, натиснувши кнопку нижче."
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr ""
-#: src/view/screens/ModerationMutedAccounts.tsx:131
-#~ msgid "You have not muted any accounts yet. To mute an account, go to their profile and selected \"Mute account\" from the menu on their account."
-#~ msgstr "Ви ще не ігноруєте жодного облікового запису. Щоб ігнорувати когось, перейдіть до їх профілю та виберіть опцію \"Ігнорувати\" у меню їх облікового запису."
-
#: src/components/dialogs/MutedWords.tsx:249
msgid "You haven't muted any words or tags yet"
msgstr "У вас ще немає ігнорованих слів чи тегів"
@@ -5974,25 +5362,21 @@ msgstr ""
#: src/screens/Signup/StepInfo/Policies.tsx:79
msgid "You must be 13 years of age or older to sign up."
-msgstr ""
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:175
-#~ msgid "You must be 18 or older to enable adult content."
-#~ msgstr "Щоб увімкнути відображення вмісту для дорослих вам повинно бути не менше 18 років."
+msgstr "Вам має виповнитись 13 років для того, щоб мати змогу зареєструватись."
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:110
msgid "You must be 18 years or older to enable adult content"
msgstr "Ви повинні бути старше 18 років, щоб дозволити перегляд контенту для дорослих"
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr ""
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "Ви більше не будете отримувати сповіщення з цього обговорення"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "Ви будете отримувати сповіщення з цього обговорення"
@@ -6023,7 +5407,7 @@ msgstr ""
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "Ваша домашня стрічка закінчилась! Підпишіться на більше користувачів щоб отримувати більше постів."
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "Ваш акаунт"
@@ -6035,7 +5419,7 @@ msgstr "Ваш обліковий запис видалено"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "Дані з вашого облікового запису, які містять усі загальнодоступні записи, можна завантажити як \"CAR\" файл. Цей файл не містить медіафайлів, таких як зображення, або особисті дані, які необхідно отримати окремо."
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "Ваша дата народження"
@@ -6053,10 +5437,6 @@ msgstr "Ваша стрічка за замовчуванням \"Following\""
msgid "Your email appears to be invalid."
msgstr "Не вдалося розпізнати адресу електронної пошти."
-#: src/view/com/modals/Waitlist.tsx:109
-#~ msgid "Your email has been saved! We'll be in touch soon."
-#~ msgstr ""
-
#: src/view/com/modals/ChangeEmail.tsx:125
msgid "Your email has been updated but not verified. As a next step, please verify your new email."
msgstr "Вашу адресу електронної пошти було змінено, але ще не підтверджено. Для підтвердження, будь ласка, перевірте вашу поштову скриньку за новою адресою."
@@ -6069,7 +5449,7 @@ msgstr "Ваша електронна пошта ще не підтвердже
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "Ваша домашня стрічка порожня! Підпишіться на більше користувачів щоб отримувати більше постів."
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "Ваш повний псевдонім буде"
@@ -6077,12 +5457,6 @@ msgstr "Ваш повний псевдонім буде"
msgid "Your full handle will be <0>@{0}0>"
msgstr "Вашим повним псевдонімом буде <0>@{0}0>"
-#: src/view/screens/Settings.tsx:430
-#: src/view/shell/desktop/RightNav.tsx:137
-#: src/view/shell/Drawer.tsx:660
-#~ msgid "Your invite codes are hidden when logged in using an App Password"
-#~ msgstr ""
-
#: src/components/dialogs/MutedWords.tsx:220
msgid "Your muted words"
msgstr "Ваші ігноровані слова"
@@ -6101,7 +5475,7 @@ msgstr "Пост опубліковано"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "Ваші повідомлення, вподобання і блоки є публічними. Ігнорування - приватні."
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "Ваш профіль"
@@ -6109,6 +5483,6 @@ msgstr "Ваш профіль"
msgid "Your reply has been published"
msgstr "Відповідь опубліковано"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "Ваш псевдонім"
diff --git a/src/locale/locales/zh-CN/messages.po b/src/locale/locales/zh-CN/messages.po
index cbd335e836..1d0289748f 100644
--- a/src/locale/locales/zh-CN/messages.po
+++ b/src/locale/locales/zh-CN/messages.po
@@ -17,11 +17,12 @@ msgstr ""
msgid "(no email)"
msgstr "(没有邮件)"
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} 个正在关注"
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} 个未读"
@@ -33,15 +34,20 @@ msgstr "<0/> 个成员"
msgid "<0>{0}0> following"
msgstr "<0>{0}0> 个正在关注"
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
+msgstr ""
+
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>个正在关注1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>选择你0><1>推荐的1><2>信息流2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>关注一些0><1>推荐的1><2>用户2>"
@@ -49,21 +55,21 @@ msgstr "<0>关注一些0><1>推荐的1><2>用户2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>欢迎来到0><1>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠无效的用户识别符"
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "访问导航链接及设置"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "访问个人资料及其他导航链接"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "无障碍"
@@ -72,8 +78,8 @@ msgid "account"
msgstr "账户"
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "账户"
@@ -123,7 +129,7 @@ msgstr "已取消隐藏账户"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "添加"
@@ -131,13 +137,13 @@ msgstr "添加"
msgid "Add a content warning"
msgstr "新增内容警告"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "将用户添加至列表"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "添加账户"
@@ -210,11 +216,11 @@ msgid "Adult content is disabled."
msgstr "成人内容显示已被禁用"
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "详细设置"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "你保存的所有信息流都集中在一处。"
@@ -251,6 +257,8 @@ msgstr "一封电子邮件已发送至先前填写的邮箱 {0}。请查阅邮
msgid "An issue not included in these options"
msgstr "不在这些选项中的问题"
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -258,7 +266,7 @@ msgstr "不在这些选项中的问题"
msgid "An issue occurred, please try again."
msgstr "出现问题,请重试。"
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "和"
@@ -287,13 +295,13 @@ msgstr "应用专用密码只能包含字母、数字、空格、破折号及下
msgid "App Password names must be at least 4 characters long."
msgstr "应用专用密码必须至少为 4 个字符。"
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "应用专用密码设置"
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "应用专用密码"
@@ -310,7 +318,7 @@ msgstr "申诉 \"{0}\" 标记"
msgid "Appeal submitted."
msgstr "申诉已提交"
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "外观"
@@ -342,7 +350,7 @@ msgstr "艺术"
msgid "Artistic or non-erotic nudity."
msgstr "艺术作品或非色情的裸体。"
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
msgstr ""
@@ -357,7 +365,7 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "返回"
@@ -366,7 +374,7 @@ msgstr "返回"
msgid "Based on your interest in {interestsText}"
msgstr "基于你对 {interestsText} 感兴趣"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "基础信息"
@@ -374,11 +382,11 @@ msgstr "基础信息"
msgid "Birthday"
msgstr "生日"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "生日:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr "屏蔽"
@@ -392,21 +400,21 @@ msgstr "屏蔽账户"
msgid "Block Account?"
msgstr "屏蔽账户?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "屏蔽账户"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "屏蔽列表"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "屏蔽这些账户?"
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "已屏蔽"
@@ -415,7 +423,7 @@ msgid "Blocked accounts"
msgstr "已屏蔽账户"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "已屏蔽账户"
@@ -423,7 +431,7 @@ msgstr "已屏蔽账户"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "被屏蔽的账户无法在你的帖子中回复、提及你或以其他方式与你互动。"
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "被屏蔽的账户无法在你的帖子中回复、提及你或以其他方式与你互动。你将不会看到他们所发的内容,同样他们也无法查看你的内容。"
@@ -431,11 +439,11 @@ msgstr "被屏蔽的账户无法在你的帖子中回复、提及你或以其他
msgid "Blocked post."
msgstr "已屏蔽帖子。"
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
msgstr "屏蔽不能阻止这个人在你的账户上放置标记"
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "屏蔽是公开的。被屏蔽的账户无法在你的帖子中回复、提及你或以其他方式与你互动。"
@@ -443,12 +451,10 @@ msgstr "屏蔽是公开的。被屏蔽的账户无法在你的帖子中回复、
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
msgstr "屏蔽不会阻止标记被放置到你的账户上,但会阻止此账户在你发布的帖子中回复或与你互动。"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "博客"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -493,8 +499,7 @@ msgstr "书籍"
#~ msgid "Build version {0} {1}"
#~ msgstr "构建版本号 {0} {1}"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "商务"
@@ -552,7 +557,7 @@ msgstr "只能包含字母、数字、空格、破折号及下划线。 长度
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "取消"
@@ -598,17 +603,17 @@ msgstr "取消打开链接的网站"
msgid "Change"
msgstr "更改"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "更改"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "更改用户识别符"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "更改用户识别符"
@@ -616,12 +621,12 @@ msgstr "更改用户识别符"
msgid "Change my email"
msgstr "更改我的邮箱地址"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "更改密码"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "更改密码"
@@ -638,11 +643,11 @@ msgstr "更改你的邮箱地址"
msgid "Check my status"
msgstr "检查我的状态"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "查看一些推荐的信息流。点击 + 去将他们新增到你的固定信息流列表中。"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "查看一些推荐的用户。关注他们还将推荐相似的用户。"
@@ -671,36 +676,36 @@ msgstr "选择可改进你自定义信息流的算法。"
msgid "Choose your main feeds"
msgstr "选择你的主要信息流"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "选择你的密码"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "清除所有旧存储数据"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "清除所有旧存储数据(并重启)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "清除所有数据"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "清除所有数据(并重启)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "清除搜索历史记录"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
msgstr "清除所有旧版存储数据"
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
msgstr "清除所有数据"
@@ -712,7 +717,7 @@ msgstr "点击这里"
msgid "Click here to open tag menu for {tag}"
msgstr "点击这里打开 {tag} 的标签菜单"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
msgstr "点击这里打开 #{tag} 的标签菜单"
@@ -746,7 +751,7 @@ msgstr "关闭图片"
msgid "Close image viewer"
msgstr "关闭图片查看器"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "关闭导航页脚"
@@ -755,7 +760,7 @@ msgstr "关闭导航页脚"
msgid "Close this dialog"
msgstr "关闭该窗口"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "关闭底部导航栏"
@@ -771,7 +776,7 @@ msgstr "关闭帖子编辑页并丢弃草稿"
msgid "Closes viewer for header image"
msgstr "关闭标题图片查看器"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "折叠给定通知的用户列表"
@@ -792,7 +797,7 @@ msgstr "社群准则"
msgid "Complete onboarding and start using your account"
msgstr "完成引导并开始使用你的账户"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "完成验证"
@@ -858,7 +863,7 @@ msgstr "验证码"
msgid "Connecting..."
msgstr "连接中..."
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "联系支持"
@@ -904,8 +909,8 @@ msgstr "上下文菜单背景,点击关闭菜单。"
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "继续"
@@ -918,7 +923,7 @@ msgstr ""
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "继续下一步"
@@ -939,17 +944,21 @@ msgstr "烹饪"
msgid "Copied"
msgstr "已复制"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "已复制构建版本号至剪贴板"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "已复制至剪贴板"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "已复制应用专用密码"
@@ -962,17 +971,22 @@ msgstr "复制"
msgid "Copy {0}"
msgstr "复制 {0}"
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "复制列表链接"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "复制帖子链接"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "复制帖子文字"
@@ -985,35 +999,38 @@ msgstr "版权许可"
msgid "Could not load feed"
msgstr "无法加载信息流"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "无法加载列表"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "创建新的账户"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "创建新的 Bluesky 账户"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "创建账户"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "创建应用专用密码"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "创建新的账户"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
msgstr "创建 {0} 的举报"
@@ -1039,7 +1056,7 @@ msgid "Custom domain"
msgstr "自定义域名"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "由社群构建的自定义信息流能为你带来新的体验,并帮助你找到你喜欢的内容。"
@@ -1047,8 +1064,8 @@ msgstr "由社群构建的自定义信息流能为你带来新的体验,并帮
msgid "Customize media from external sites."
msgstr "自定义外部站点的媒体。"
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
msgstr "暗色"
@@ -1056,15 +1073,15 @@ msgstr "暗色"
msgid "Dark mode"
msgstr "深色模式"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "深色模式"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
msgstr ""
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
msgstr "调试限制"
@@ -1072,13 +1089,13 @@ msgstr "调试限制"
msgid "Debug panel"
msgstr "调试面板"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr "删除"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "删除账户"
@@ -1094,7 +1111,7 @@ msgstr "删除应用专用密码"
msgid "Delete app password?"
msgstr "删除应用专用密码?"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "删除列表"
@@ -1102,24 +1119,24 @@ msgstr "删除列表"
msgid "Delete my account"
msgstr "删除我的账户"
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "删除我的账户…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "删除帖子"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
msgstr "删除这个列表?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "删除这条帖子?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "已删除"
@@ -1138,10 +1155,18 @@ msgstr "描述"
msgid "Did you want to say anything?"
msgstr "有什么想说的吗?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "暗淡"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
@@ -1167,7 +1192,7 @@ msgstr "阻止应用向未登录用户显示我的账户"
msgid "Discover new custom feeds"
msgstr "探索新的自定义信息流"
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "探索新的信息流"
@@ -1187,7 +1212,7 @@ msgstr "DNS 面板"
msgid "Does not include nudity."
msgstr "不包含裸露内容"
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
msgstr ""
@@ -1217,7 +1242,7 @@ msgstr "域名已认证!"
msgid "Done"
msgstr "完成"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1296,7 +1321,7 @@ msgctxt "action"
msgid "Edit"
msgstr "编辑"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
msgstr "编辑头像"
@@ -1306,7 +1331,7 @@ msgstr "编辑头像"
msgid "Edit image"
msgstr "编辑图片"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "编辑列表详情"
@@ -1315,8 +1340,8 @@ msgid "Edit Moderation List"
msgstr "编辑限制列表"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "编辑自定义信息流"
@@ -1324,18 +1349,18 @@ msgstr "编辑自定义信息流"
msgid "Edit my profile"
msgstr "编辑个人资料"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "编辑个人资料"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "编辑个人资料"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "编辑保存的信息流"
@@ -1377,10 +1402,24 @@ msgstr "电子邮箱已更新"
msgid "Email verified"
msgstr "电子邮箱已验证"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "电子邮箱:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "仅启用 {0}"
@@ -1423,7 +1462,7 @@ msgstr ""
msgid "Enabled"
msgstr "已启用"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "信息流的末尾"
@@ -1461,7 +1500,7 @@ msgid "Enter your birth date"
msgstr "输入你的出生日期"
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "输入你的电子邮箱"
@@ -1481,7 +1520,7 @@ msgstr "输入你的用户名和密码"
msgid "Error receiving captcha response."
msgstr "Captcha 响应错误"
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "错误:"
@@ -1518,8 +1557,8 @@ msgstr "退出搜索查询输入"
msgid "Expand alt text"
msgstr "展开替代文本"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "展开或折叠你要回复的完整帖子"
@@ -1531,12 +1570,12 @@ msgstr "明确或潜在引起不适的媒体内容。"
msgid "Explicit sexual images."
msgstr "明确的性暗示图片。"
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "导出账户数据"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "导出账户数据"
@@ -1552,11 +1591,11 @@ msgstr "外部媒体可能允许网站收集有关你和你设备的有关信息
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
msgstr "外部媒体首选项"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "外部媒体设置"
@@ -1569,12 +1608,12 @@ msgstr "创建应用专用密码失败。"
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "无法创建列表。请检查你的互联网连接并重试。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "无法删除帖子,请重试"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "无法加载推荐信息流"
@@ -1590,31 +1629,31 @@ msgstr "信息流"
msgid "Feed by {0}"
msgstr "由 {0} 创建的信息流"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "信息流已离线"
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "反馈"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "信息流"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "信息流由用户创建并管理。选择一些你感兴趣的信息流。"
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "创建信息流要求一些编程基础。查看 <0/> 以获取详情。"
@@ -1640,11 +1679,11 @@ msgstr "最终确定"
msgid "Find accounts to follow"
msgstr "寻找一些账户关注"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "寻找一些正在使用 Bluesky 的用户"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "使用右侧的搜索工具来查找用户"
@@ -1678,10 +1717,10 @@ msgid "Flip vertically"
msgstr "垂直翻转"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "关注"
@@ -1713,11 +1752,11 @@ msgstr ""
msgid "Follow selected accounts and continue to the next step"
msgstr "关注选择的用户并继续下一步"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "关注一些用户以开始,我们可以根据你感兴趣的用户向你推荐更多类似用户。"
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "由 {0} 关注"
@@ -1729,7 +1768,7 @@ msgstr "已关注的用户"
msgid "Followed users only"
msgstr "仅限已关注的用户"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "关注了你"
@@ -1738,7 +1777,7 @@ msgstr "关注了你"
msgid "Followers"
msgstr "关注者"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1749,15 +1788,15 @@ msgstr "正在关注"
msgid "Following {0}"
msgstr "正在关注 {0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
msgstr "关注信息流首选项"
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
msgstr "关注信息流首选项"
@@ -1765,7 +1804,7 @@ msgstr "关注信息流首选项"
msgid "Follows you"
msgstr "关注了你"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "关注了你"
@@ -1811,7 +1850,7 @@ msgstr "频繁发布不受欢迎的内容"
msgid "From @{sanitizedAuthor}"
msgstr "来自 @{sanitizedAuthor}"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "来自 <0/>"
@@ -1835,7 +1874,7 @@ msgstr "明显违反法律或服务条款"
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "返回"
@@ -1845,15 +1884,15 @@ msgstr "返回"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "返回"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "返回上一步"
@@ -1865,7 +1904,7 @@ msgstr "返回主页"
msgid "Go Home"
msgstr "返回主页"
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "前往 @{queryMaybeHandle}"
@@ -1891,16 +1930,16 @@ msgstr "骚扰、恶作剧或其他无法容忍的行为"
msgid "Hashtag"
msgstr "话题标签"
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
msgstr "话题标签:#{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "任何疑问?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "帮助"
@@ -1929,17 +1968,17 @@ msgstr "这里是你的应用专用密码。"
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "隐藏"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "隐藏"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "隐藏帖子"
@@ -1948,11 +1987,11 @@ msgstr "隐藏帖子"
msgid "Hide the content"
msgstr "隐藏内容"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "隐藏这条帖子?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "隐藏用户列表"
@@ -1984,11 +2023,11 @@ msgstr "看起来在加载数据时遇到了问题,请查看下方获取更多
msgid "Hmmmm, we couldn't load that moderation service."
msgstr "无法加载该限制提供服务。"
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "主页"
@@ -2031,11 +2070,11 @@ msgstr "若不勾选,则默认为全年龄向。"
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
msgstr "如果你根据你所在国家的法律定义还不是成年人,则你的父母或法定监护人必须代表你阅读这些条款。"
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
msgstr "如果你删除此列表,将无法恢复"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
msgstr "如果你移除此列表,将无法恢复"
@@ -2103,7 +2142,7 @@ msgstr "输入你的密码"
msgid "Input your preferred hosting provider"
msgstr "输入你首选的托管服务提供商"
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "输入你的用户识别符"
@@ -2139,8 +2178,7 @@ msgstr "邀请码:1 个可用"
msgid "It shows posts from the people you follow as they happen."
msgstr "他会显示你所关注的人发布的帖子。"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "工作"
@@ -2160,11 +2198,11 @@ msgstr "由 {0} 标记。"
msgid "Labeled by the author."
msgstr "由作者标记。"
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
msgstr "标记"
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
msgstr "标记是对特定内容及用户的提示。可以针对特定内容默认隐藏内容、显示警告或直接显示。"
@@ -2184,7 +2222,7 @@ msgstr "你内容上的标记"
msgid "Language selection"
msgstr "选择语言"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "语言设置"
@@ -2193,7 +2231,7 @@ msgstr "语言设置"
msgid "Language Settings"
msgstr "语言设置"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "语言"
@@ -2201,6 +2239,10 @@ msgstr "语言"
#~ msgid "Last step!"
#~ msgstr "最后一步!"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
+
#: src/components/moderation/ScreenHider.tsx:136
msgid "Learn More"
msgstr "了解详情"
@@ -2235,7 +2277,7 @@ msgstr "离开 Bluesky"
msgid "left to go."
msgstr "尚未完成。"
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "旧存储数据已清除,你需要立即重新启动应用。"
@@ -2248,16 +2290,16 @@ msgstr "让我们来重置你的密码!"
msgid "Let's go!"
msgstr "让我们开始!"
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "亮色"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "喜欢"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "喜欢这个信息流"
@@ -2281,21 +2323,21 @@ msgstr "{0} 个 {1} 喜欢"
msgid "Liked by {count} {0}"
msgstr "被 {count} {0} 喜欢"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "{likeCount} 个 {0} 喜欢"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "赞了你的自定义信息流"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "赞了你的帖子"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "喜欢"
@@ -2311,7 +2353,7 @@ msgstr "列表"
msgid "List Avatar"
msgstr "列表头像"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "列表已屏蔽"
@@ -2319,11 +2361,11 @@ msgstr "列表已屏蔽"
msgid "List by {0}"
msgstr "列表由 {0} 创建"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "列表已删除"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "列表已隐藏"
@@ -2331,20 +2373,20 @@ msgstr "列表已隐藏"
msgid "List Name"
msgstr "列表名称"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "解除对列表的屏蔽"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "解除对列表的隐藏"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "列表"
@@ -2352,10 +2394,10 @@ msgstr "列表"
msgid "Load new notifications"
msgstr "加载新的通知"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "加载新的帖子"
@@ -2402,7 +2444,7 @@ msgstr "管理你的隐藏词和话题标签"
#~ msgid "May only contain letters and numbers"
#~ msgstr "只能包含字母和数字"
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "媒体"
@@ -2415,7 +2457,7 @@ msgid "Mentioned users"
msgstr "提到的用户"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "菜单"
@@ -2429,10 +2471,10 @@ msgstr "误导性账户"
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "限制"
@@ -2445,13 +2487,13 @@ msgstr "限制详情"
msgid "Moderation list by {0}"
msgstr "由 {0} 创建的限制列表"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "由 0> 创建的限制列表"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "你创建的限制列表"
@@ -2472,7 +2514,7 @@ msgstr "限制列表"
msgid "Moderation Lists"
msgstr "限制列表"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "限制设置"
@@ -2489,7 +2531,7 @@ msgstr "限制工具"
msgid "Moderator has chosen to set a general warning on the content."
msgstr "由限制者对内容设置的一般警告。"
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
msgstr "更多"
@@ -2497,7 +2539,7 @@ msgstr "更多"
msgid "More feeds"
msgstr "更多信息流"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "更多选项"
@@ -2522,7 +2564,7 @@ msgstr "隐藏 {truncatedTag}"
msgid "Mute Account"
msgstr "隐藏账户"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "隐藏账户"
@@ -2538,12 +2580,12 @@ msgstr "仅隐藏话题标签"
msgid "Mute in text & tags"
msgstr "隐藏文本和话题标签"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "隐藏列表"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "隐藏这些账户?"
@@ -2555,13 +2597,13 @@ msgstr "在帖子文本和话题标签中隐藏该词"
msgid "Mute this word in tags only"
msgstr "仅在话题标签中隐藏该词"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "隐藏讨论串"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
msgstr "隐藏词和话题标签"
@@ -2574,11 +2616,11 @@ msgid "Muted accounts"
msgstr "已隐藏账户"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "已隐藏账户"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "已隐藏的账户将不会在你的通知或时间线中显示,被隐藏账户将不会收到通知。"
@@ -2590,7 +2632,7 @@ msgstr "被 \"{0}\" 隐藏"
msgid "Muted words & tags"
msgstr "已隐藏词和话题标签"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "被隐藏的账户将不会得知你已将他隐藏,已隐藏的账户将不会在你的通知或时间线中显示。"
@@ -2599,7 +2641,7 @@ msgstr "被隐藏的账户将不会得知你已将他隐藏,已隐藏的账户
msgid "My Birthday"
msgstr "我的生日"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "自定义信息流"
@@ -2607,11 +2649,11 @@ msgstr "自定义信息流"
msgid "My Profile"
msgstr "我的个人资料"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr "我保存的信息流"
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "我保存的信息流"
@@ -2635,7 +2677,7 @@ msgid "Nature"
msgstr "自然"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "转到下一页"
@@ -2644,7 +2686,7 @@ msgstr "转到下一页"
msgid "Navigates to your profile"
msgstr "转到个人资料"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
msgstr "需要举报侵犯版权行为吗?"
@@ -2692,12 +2734,12 @@ msgctxt "action"
msgid "New post"
msgstr "新帖子"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "新帖子"
@@ -2721,12 +2763,12 @@ msgstr "新闻"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -2750,8 +2792,8 @@ msgstr "下一张图片"
msgid "No"
msgstr "停用"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "没有描述"
@@ -2763,7 +2805,7 @@ msgstr "没有 DNS 面板"
msgid "No longer following {0}"
msgstr "不再关注 {0}"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
msgstr ""
@@ -2780,13 +2822,13 @@ msgstr "没有结果"
msgid "No results found"
msgstr "未找到结果"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "未找到\"{query}\"的结果"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "未找到 {query} 的结果"
@@ -2813,7 +2855,7 @@ msgid "Not Applicable."
msgstr "不适用。"
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "未找到"
@@ -2823,8 +2865,8 @@ msgid "Not right now"
msgstr "暂时不需要"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
msgstr "分享注意事项"
@@ -2832,13 +2874,13 @@ msgstr "分享注意事项"
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "注意:Bluesky 是一个开放的公共网络。此设置项仅限制你的内容在 Bluesky 应用和网站上的可见性,其他应用可能不尊从此设置项,仍可能会向未登录的用户显示你的动态。"
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "通知"
@@ -2854,7 +2896,7 @@ msgstr ""
#~ msgid "Nudity or pornography not labeled as such"
#~ msgstr "未标记的裸露或色情内容"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
msgstr ""
@@ -2871,7 +2913,7 @@ msgid "Oh no! Something went wrong."
msgstr "糟糕!发生了一些错误。"
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
msgstr "好的"
@@ -2883,7 +2925,7 @@ msgstr "好的"
msgid "Oldest replies first"
msgstr "优先显示最旧的回复"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "重新开始引导流程"
@@ -2895,7 +2937,7 @@ msgstr "至少有一张图片缺失了替代文字。"
msgid "Only {0} can reply."
msgstr "只有 {0} 可以回复。"
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
msgstr ""
@@ -2905,7 +2947,7 @@ msgstr "糟糕,发生了一些错误!"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "Oops!"
@@ -2918,11 +2960,11 @@ msgstr "开启"
msgid "Open emoji picker"
msgstr "开启表情符号选择器"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
msgstr "开启信息流选项菜单"
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "在内置浏览器中打开链接"
@@ -2930,20 +2972,20 @@ msgstr "在内置浏览器中打开链接"
msgid "Open muted words and tags settings"
msgstr "开启隐藏词和标签设置"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "打开导航"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
msgstr "开启帖子选项菜单"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "开启 Storybook 界面"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
msgstr "开启系统日志"
@@ -2955,7 +2997,7 @@ msgstr "开启 {numItems} 个选项"
msgid "Opens additional details for a debug entry"
msgstr "开启调试记录的额外详细信息"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "展开此通知中的扩展用户列表"
@@ -2967,7 +3009,7 @@ msgstr "开启设备相机"
msgid "Opens composer"
msgstr "开启编辑器"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "开启可配置的语言设置"
@@ -2975,19 +3017,17 @@ msgstr "开启可配置的语言设置"
msgid "Opens device photo gallery"
msgstr "开启设备相册"
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "开启外部嵌入设置"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
msgstr "开启流程以创建一个新的 Bluesky 账户"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
msgstr "开启流程以登录到你现有的 Bluesky 账户"
@@ -2995,23 +3035,23 @@ msgstr "开启流程以登录到你现有的 Bluesky 账户"
msgid "Opens list of invite codes"
msgstr "开启邀请码列表"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
msgstr "开启用户删除确认界面,需要电子邮箱接收验证码。"
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
msgstr "开启密码修改界面"
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
msgstr "开启创建新的用户识别符界面"
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
msgstr "开启你的 Bluesky 用户资料(存储库)下载页面"
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
msgstr "开启电子邮箱确认界面"
@@ -3019,7 +3059,7 @@ msgstr "开启电子邮箱确认界面"
msgid "Opens modal for using custom domain"
msgstr "开启使用自定义域名的模式"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "开启限制设置"
@@ -3027,20 +3067,20 @@ msgstr "开启限制设置"
msgid "Opens password reset form"
msgstr "开启密码重置申请"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "开启用于编辑已保存信息流的界面"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "开启包含所有已保存信息流的界面"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
msgstr "开启应用专用密码设置界面"
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
msgstr "开启关注信息流首选项"
@@ -3048,16 +3088,16 @@ msgstr "开启关注信息流首选项"
msgid "Opens the linked website"
msgstr "开启链接的网页"
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "开启 Storybook 界面"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "开启系统日志界面"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "开启讨论串首选项"
@@ -3065,7 +3105,7 @@ msgstr "开启讨论串首选项"
msgid "Option {0} of {numItems}"
msgstr "第 {0} 个选项,共 {numItems} 个"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
msgstr "可选在下方提供额外信息:"
@@ -3095,7 +3135,7 @@ msgid "Page Not Found"
msgstr "无法找到此页面"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3113,6 +3153,11 @@ msgstr "密码已更新"
msgid "Password updated!"
msgstr "密码已更新!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "@{0} 关注的人"
@@ -3137,16 +3182,16 @@ msgstr "宠物"
msgid "Pictures meant for adults."
msgstr "适合成年人的图像。"
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "固定到主页"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
msgstr "固定到主页"
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "固定信息流列表"
@@ -3244,7 +3289,7 @@ msgstr "{0} 的帖子"
msgid "Post by @{0}"
msgstr "@{0} 的帖子"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "已删除帖子"
@@ -3279,7 +3324,8 @@ msgstr "无法找到帖子"
msgid "posts"
msgstr "帖子"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "帖子"
@@ -3295,13 +3341,13 @@ msgstr "帖子已隐藏"
msgid "Potentially Misleading Link"
msgstr "潜在误导性链接"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
msgstr ""
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
msgstr "点按重试"
@@ -3317,7 +3363,7 @@ msgstr "首选语言"
msgid "Prioritize Your Follows"
msgstr "优先显示关注者"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "隐私"
@@ -3325,8 +3371,8 @@ msgstr "隐私"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "隐私政策"
@@ -3335,15 +3381,15 @@ msgid "Processing..."
msgstr "处理中..."
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr "个人资料"
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "个人资料"
@@ -3351,7 +3397,7 @@ msgstr "个人资料"
msgid "Profile updated"
msgstr "个人资料已更新"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "通过验证电子邮箱来保护你的账户。"
@@ -3397,15 +3443,15 @@ msgstr "随机显示 (手气不错)"
msgid "Ratios"
msgstr "比率"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
msgstr "最近的搜索"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "推荐信息流"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "推荐的用户"
@@ -3422,7 +3468,7 @@ msgstr "移除"
msgid "Remove account"
msgstr "删除账户"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
msgstr "删除头像"
@@ -3440,8 +3486,8 @@ msgstr "删除信息流?"
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "从自定义信息流中删除"
@@ -3478,7 +3524,7 @@ msgstr "从列表中删除"
msgid "Removed from my feeds"
msgstr "从自定义信息流中删除"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
msgstr "从你的自定义信息流中删除"
@@ -3486,7 +3532,7 @@ msgstr "从你的自定义信息流中删除"
msgid "Removes default thumbnail from {0}"
msgstr "从 {0} 中删除默认缩略图"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "回复"
@@ -3503,8 +3549,8 @@ msgstr "回复"
msgid "Reply Filters"
msgstr "回复过滤器"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "回复 <0/>"
@@ -3518,17 +3564,17 @@ msgstr "举报账户"
msgid "Report dialog"
msgstr ""
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "举报信息流"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "举报列表"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "举报帖子"
@@ -3573,15 +3619,19 @@ msgstr "转发或引用帖子"
msgid "Reposted By"
msgstr "转发"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "由 {0} 转发"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "由 <0/> 转发"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "由 <0/> 转发"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "转发你的帖子"
@@ -3599,7 +3649,7 @@ msgstr "请求变更"
msgid "Request Code"
msgstr "确认码"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "发布时检查媒体是否存在替代文本"
@@ -3615,8 +3665,8 @@ msgstr "确认码"
msgid "Reset Code"
msgstr "确认码"
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "重置引导流程状态"
@@ -3624,16 +3674,16 @@ msgstr "重置引导流程状态"
msgid "Reset password"
msgstr "重置密码"
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
msgstr "重置首选项状态"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "重置引导流程状态"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
msgstr "重置首选项状态"
@@ -3652,14 +3702,14 @@ msgstr "重试上次出错的操作"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
msgstr "重试"
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "回到上一页"
@@ -3705,12 +3755,12 @@ msgstr "保存用户识别符更改"
msgid "Save image crop"
msgstr "保存图片裁切"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
msgstr "保存到自定义信息流"
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "已保存信息流"
@@ -3718,7 +3768,7 @@ msgstr "已保存信息流"
msgid "Saved to your camera roll."
msgstr "已保存到相机胶卷"
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
msgstr "已保存到你的自定义信息流"
@@ -3738,28 +3788,28 @@ msgstr "保存图片裁剪设置"
msgid "Science"
msgstr "科学"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "滚动到顶部"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "搜索"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "搜索 \"{query}\""
@@ -3798,13 +3848,18 @@ msgstr "查看 <0>{displayTag}0> 的帖子"
msgid "See <0>{displayTag}0> posts by this user"
msgstr "查看该用户 <0>{displayTag}0> 的帖子"
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
+
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "查看指南"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "查看下一步"
+#~ msgid "See what's next"
+#~ msgstr "查看下一步"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -3839,7 +3894,7 @@ msgstr "选择 {numItems} 项中的第 {i} 项"
msgid "Select some accounts below to follow"
msgstr "选择以下一些账户进行关注"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
msgstr "你要将该条举报提交给哪位限制服务提供者?"
@@ -3863,7 +3918,7 @@ msgstr "选择你希望订阅信息流中所包含的语言。如果未选择任
msgid "Select your app language for the default text to display in the app."
msgstr "选择你的应用语言,以显示应用中的默认文本。"
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
msgstr ""
@@ -3897,13 +3952,13 @@ msgctxt "action"
msgid "Send Email"
msgstr "发送电子邮件"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "提交反馈"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
msgstr "提交举报"
@@ -3959,23 +4014,23 @@ msgstr "设置你的账户"
msgid "Sets Bluesky username"
msgstr "设置 Bluesky 用户名"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
msgstr "设置主题为深色模式"
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
msgstr "设置主题为亮色模式"
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
msgstr "设置主题跟随系统设置"
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
msgstr "设置深色模式至深黑"
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
msgstr "设置深色模式至暗淡"
@@ -4005,10 +4060,10 @@ msgstr "将图片纵横比设置为宽"
#~ msgstr "设置 Bluesky 客户端的服务器"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "设置"
@@ -4027,21 +4082,21 @@ msgstr "分享"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "分享"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
msgstr "仍然分享"
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "分享信息流"
@@ -4058,7 +4113,7 @@ msgstr ""
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "显示"
@@ -4088,9 +4143,9 @@ msgstr "显示徽章并从信息流中过滤"
msgid "Show follows similar to {0}"
msgstr "显示类似于 {0} 的关注者"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "显示更多"
@@ -4147,7 +4202,7 @@ msgstr "在关注中显示转发"
msgid "Show the content"
msgstr "显示内容"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "显示用户"
@@ -4163,24 +4218,24 @@ msgstr "显示警告并从信息流中过滤"
msgid "Shows posts from {0} in your feed"
msgstr "在你的信息流中显示来自 {0} 的帖子"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "登录"
@@ -4198,28 +4253,36 @@ msgstr "以 {0} 登录"
msgid "Sign in as..."
msgstr "登录为..."
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
+
#: src/view/com/auth/login/LoginForm.tsx:140
#~ msgid "Sign into"
#~ msgstr "登录到"
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "登出"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "注册"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "注册或登录以加入对话"
@@ -4228,7 +4291,7 @@ msgstr "注册或登录以加入对话"
msgid "Sign-in Required"
msgstr "需要登录"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "登录身份"
@@ -4256,11 +4319,11 @@ msgstr "程序开发"
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
msgstr "出了点问题,请重试。"
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "很抱歉,你的登录会话已过期,请重新登录。"
@@ -4292,11 +4355,11 @@ msgstr "运动"
msgid "Square"
msgstr "方块"
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "状态页"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
msgstr ""
@@ -4304,12 +4367,12 @@ msgstr ""
#~ msgid "Step {0} of {numSteps}"
#~ msgstr "第 {0} 步,共 {numSteps} 步"
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "已清除存储,请立即重启应用。"
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "Storybook"
@@ -4318,15 +4381,15 @@ msgstr "Storybook"
msgid "Submit"
msgstr "提交"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "订阅"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
msgstr "订阅 @{0} 以使用这些标记:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
msgstr "订阅标记者"
@@ -4335,15 +4398,15 @@ msgstr "订阅标记者"
msgid "Subscribe to the {0} feed"
msgstr "订阅 {0} 信息流"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
msgstr "订阅这个标记者"
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "订阅这个列表"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "推荐的关注者"
@@ -4366,19 +4429,19 @@ msgstr "支持"
msgid "Switch Account"
msgstr "切换账户"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "切换到 {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "切换你登录的账户"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "系统"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "系统日志"
@@ -4408,9 +4471,9 @@ msgstr "条款"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "服务条款"
@@ -4428,7 +4491,7 @@ msgstr "文本"
msgid "Text input field"
msgstr "文本输入框"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
msgstr "谢谢,你的举报已提交。"
@@ -4436,11 +4499,11 @@ msgstr "谢谢,你的举报已提交。"
msgid "That contains the following:"
msgstr "其中包含以下内容:"
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "该用户识别符已被占用"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "解除屏蔽后,该账户将能够与你互动。"
@@ -4490,8 +4553,8 @@ msgstr "服务条款已迁移至"
msgid "There are many feeds to try:"
msgstr "这里有些信息流你可以尝试:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "连接至服务器时出现问题,请检查你的互联网连接并重试。"
@@ -4499,15 +4562,15 @@ msgstr "连接至服务器时出现问题,请检查你的互联网连接并重
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "删除信息流时出现问题,请检查你的互联网连接并重试。"
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "更新信息流时出现问题,请检查你的互联网连接并重试。"
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "连接服务器时出现问题"
@@ -4530,12 +4593,12 @@ msgstr "刷新帖子时出现问题,点击重试。"
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "刷新列表时出现问题,点击重试。"
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "刷新列表时出现问题,点击重试。"
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
msgstr "提交举报时出现问题,请检查你的网络连接。"
@@ -4561,10 +4624,10 @@ msgstr "获取应用专用密码时出现问题"
msgid "There was an issue! {0}"
msgstr "出现问题了!{0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "出现问题了,请检查你的互联网连接并重试。"
@@ -4621,9 +4684,9 @@ msgstr "该功能正在测试,你可以在<0>这篇博客文章0>中获得
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "该信息流当前使用人数较多,服务暂时不可用。请稍后再试。"
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "该信息流为空!"
@@ -4643,7 +4706,7 @@ msgstr "这很重要,以防你将来需要更改电子邮箱或重置密码。
msgid "This label was applied by {0}."
msgstr "此标记由 {0} 应用。"
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
msgstr "此标记者尚未声明他发布的标记,并且可能处于非活跃状态。"
@@ -4651,7 +4714,7 @@ msgstr "此标记者尚未声明他发布的标记,并且可能处于非活跃
msgid "This link is taking you to the following website:"
msgstr "此链接将带你到以下网站:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "此列表为空!"
@@ -4667,12 +4730,12 @@ msgstr "该名称已被使用"
msgid "This post has been deleted."
msgstr "此帖子已被删除。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
msgstr "此帖子只对已登录用户可见,未登录的用户将无法看到。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
msgstr "此帖子将从信息流中隐藏。"
@@ -4721,12 +4784,12 @@ msgstr "此警告仅适用于附带媒体的帖子。"
msgid "This will delete {0} from your muted words. You can always add it back later."
msgstr "这将从你的隐藏词中删除 {0}。你随时可以重新添加。"
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
msgstr "讨论串首选项"
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "讨论串首选项"
@@ -4754,14 +4817,18 @@ msgstr "切换下拉式菜单"
msgid "Toggle to enable or disable adult content"
msgstr "切换以启用或禁用成人内容"
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
+msgstr ""
+
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "转换"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "翻译"
@@ -4774,11 +4841,11 @@ msgstr "重试"
msgid "Type:"
msgstr "类型:"
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "取消屏蔽列表"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "取消隐藏列表"
@@ -4786,15 +4853,15 @@ msgstr "取消隐藏列表"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "无法连接到服务,请检查互联网连接。"
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "取消屏蔽"
@@ -4808,7 +4875,7 @@ msgstr "取消屏蔽"
msgid "Unblock Account"
msgstr "取消屏蔽账户"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
msgstr "取消屏蔽账户?"
@@ -4821,7 +4888,7 @@ msgid "Undo repost"
msgstr "取消转发"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
msgstr "取消关注"
@@ -4843,16 +4910,16 @@ msgstr "取消关注账户"
#~ msgid "Unfortunately, you do not meet the requirements to create an account."
#~ msgstr "很遗憾,你不符合创建账户的要求。"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "取消喜欢"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
msgstr "取消喜欢这个信息流"
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "取消隐藏"
@@ -4869,29 +4936,29 @@ msgstr "取消隐藏账户"
msgid "Unmute all {displayTag} posts"
msgstr "取消隐藏所有 {displayTag} 帖子"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "取消隐藏讨论串"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "取消固定"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
msgstr "从主页取消固定"
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "取消固定限制列表"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
msgstr "取消订阅"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
msgstr "取消订阅此标记者"
@@ -4915,20 +4982,20 @@ msgstr "更新中..."
msgid "Upload a text file to:"
msgstr "将文本文件上传至:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
msgstr "从相机上传"
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
msgstr "从文件上传"
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
@@ -5002,13 +5069,13 @@ msgstr "用户屏蔽了你"
msgid "User list by {0}"
msgstr "{0} 的用户列表"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "<0/> 的用户列表"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "你的用户列表"
@@ -5028,7 +5095,9 @@ msgstr "用户列表"
msgid "Username or email address"
msgstr "用户名或电子邮箱"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "用户"
@@ -5052,15 +5121,15 @@ msgstr "值:"
msgid "Verify {0}"
msgstr "验证 {0}"
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "验证邮箱"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "验证我的邮箱"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "验证我的邮箱"
@@ -5073,7 +5142,7 @@ msgstr "验证新的邮箱"
msgid "Verify Your Email"
msgstr "验证你的邮箱"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
msgstr ""
@@ -5089,11 +5158,11 @@ msgstr "查看{0}的头像"
msgid "View debug entry"
msgstr "查看调试入口"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
msgstr "查看详情"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
msgstr "查看举报版权侵权的详情"
@@ -5105,6 +5174,8 @@ msgstr "查看整个讨论串"
msgid "View information about these labels"
msgstr "查看此标记的详情"
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "查看个人资料"
@@ -5117,7 +5188,7 @@ msgstr "查看头像"
msgid "View the labeling service provided by @{0}"
msgstr "查看 @{0} 提供的标记服务。"
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
msgstr "查看此信息流被谁喜欢"
@@ -5189,11 +5260,11 @@ msgstr "我们会在你的账户准备好时通知你。"
msgid "We'll use this to help customize your experience."
msgstr "我们将使用这些信息来帮助定制你的体验。"
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "我们非常高兴你加入我们!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "很抱歉,我们无法解析此列表。如果问题持续发生,请联系列表创建者,@{handleOrDid}。"
@@ -5201,7 +5272,7 @@ msgstr "很抱歉,我们无法解析此列表。如果问题持续发生,请
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
msgstr "很抱歉,我们无法加载你的隐藏词列表。请重试。"
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "很抱歉,无法完成你的搜索。请稍后再试。"
@@ -5210,7 +5281,7 @@ msgstr "很抱歉,无法完成你的搜索。请稍后再试。"
msgid "We're sorry! We can't find the page you were looking for."
msgstr "很抱歉!我们找不到你正在寻找的页面。"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
msgstr "很抱歉!你目前只能订阅 10 个标记者,你已达到 10 个的限制。"
@@ -5222,8 +5293,8 @@ msgstr "欢迎来到 <0>Bluesky0>"
msgid "What are your interests?"
msgstr "你感兴趣的是什么?"
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "发生了什么新鲜事?"
@@ -5318,15 +5389,15 @@ msgstr "你目前还没有任何关注者。"
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "你目前还没有邀请码!当你持续使用 Bluesky 一段时间后,我们将提供一些新的邀请码给你。"
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "你目前还没有任何固定的信息流。"
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "你目前还没有任何保存的信息流!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "你目前还没有任何保存的信息流。"
@@ -5364,16 +5435,16 @@ msgstr "你已隐藏此账户。"
msgid "You have muted this user"
msgstr "你已隐藏此用户"
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "你没有订阅信息流。"
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "你没有列表。"
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
msgstr "你还没有屏蔽任何账户。要屏蔽账户,请转到其个人资料并在其账户上的菜单中选择 \"屏蔽账户\"。"
@@ -5381,7 +5452,7 @@ msgstr "你还没有屏蔽任何账户。要屏蔽账户,请转到其个人资
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "你尚未创建任何应用专用密码,可以通过点击下面的按钮来创建一个。"
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
msgstr "你还没有隐藏任何账户。要隐藏账户,请转到其个人资料并在其账户上的菜单中选择 \"隐藏账户\"。"
@@ -5401,15 +5472,15 @@ msgstr ""
msgid "You must be 18 years or older to enable adult content"
msgstr "你必须年满18岁及以上才能启用成人内容"
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
msgstr "你必须选择至少一个标记者进行举报"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "你将不再收到这条讨论串的通知"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "你将收到这条讨论串的通知"
@@ -5440,7 +5511,7 @@ msgstr "你选择隐藏了此帖子中的一个词或标签。"
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "你已经浏览完你的订阅信息流啦!寻找一些更多的账户关注吧。"
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "你的账户"
@@ -5452,7 +5523,7 @@ msgstr "你的账户已删除"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "你的帐户数据库包含所有公共数据记录,它们将被导出为“CAR”文件。此文件不包括帖子中的媒体,例如图像或你的隐私数据,这些数据需要另外获取。"
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "你的生日"
@@ -5482,7 +5553,7 @@ msgstr "你的电子邮箱尚未验证。这是一个重要的安全步骤,我
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "你的关注信息流为空!关注更多用户去看看他们发了什么。"
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "你的完整用户识别符将修改为"
@@ -5508,7 +5579,7 @@ msgstr "你的帖子已发布"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "你的帖子、喜欢和屏蔽是公开可见的,而隐藏不可见。"
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "你的个人资料"
@@ -5516,6 +5587,6 @@ msgstr "你的个人资料"
msgid "Your reply has been published"
msgstr "你的回复已发布"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "你的用户识别符"
diff --git a/src/locale/locales/zh-TW/messages.po b/src/locale/locales/zh-TW/messages.po
index 484428079f..aa5ae6dbac 100644
--- a/src/locale/locales/zh-TW/messages.po
+++ b/src/locale/locales/zh-TW/messages.po
@@ -1,6 +1,6 @@
msgid ""
msgstr ""
-"POT-Creation-Date: 2024-03-20 15:50+0800\n"
+"POT-Creation-Date: 2024-04-12 11:00+0800\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=utf-8\n"
"Content-Transfer-Encoding: 8bit\n"
@@ -17,29 +17,12 @@ msgstr ""
msgid "(no email)"
msgstr "(沒有郵件)"
-#: src/view/shell/desktop/RightNav.tsx:168
-#~ msgid "{0, plural, one {# invite code available} other {# invite codes available}}"
-#~ msgstr "{0} 個可用的邀請碼"
-
+#: src/components/ProfileHoverCard/index.web.tsx:323
#: src/screens/Profile/Header/Metrics.tsx:44
msgid "{following} following"
msgstr "{following} 個跟隨中"
-#: src/view/shell/desktop/RightNav.tsx:151
-#~ msgid "{invitesAvailable, plural, one {Invite codes: # available} other {Invite codes: # available}}"
-#~ msgstr "可用的邀請碼:{invitesAvailable} 個"
-
-#: src/view/screens/Settings.tsx:435
-#: src/view/shell/Drawer.tsx:664
-#~ msgid "{invitesAvailable} invite code available"
-#~ msgstr "{invitesAvailable} 個可用的邀請碼"
-
-#: src/view/screens/Settings.tsx:437
-#: src/view/shell/Drawer.tsx:666
-#~ msgid "{invitesAvailable} invite codes available"
-#~ msgstr "{invitesAvailable} 個可用的邀請碼"
-
-#: src/view/shell/Drawer.tsx:443
+#: src/view/shell/Drawer.tsx:449
msgid "{numUnreadNotifications} unread"
msgstr "{numUnreadNotifications} 個未讀"
@@ -49,17 +32,22 @@ msgstr "<0/> 個成員"
#: src/view/shell/Drawer.tsx:97
msgid "<0>{0}0> following"
+msgstr "<0>{0}0> 個跟隨中"
+
+#: src/components/ProfileHoverCard/index.web.tsx:314
+msgid "<0>{followers} 0><1>{pluralizedFollowers}1>"
msgstr ""
+#: src/components/ProfileHoverCard/index.web.tsx:326
#: src/screens/Profile/Header/Metrics.tsx:45
msgid "<0>{following} 0><1>following1>"
msgstr "<0>{following} 0><1>個跟隨中1>"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:30
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:31
msgid "<0>Choose your0><1>Recommended1><2>Feeds2>"
msgstr "<0>選擇你的0><1>推薦1><2>訊息流2>"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:37
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:38
msgid "<0>Follow some0><1>Recommended1><2>Users2>"
msgstr "<0>跟隨一些0><1>推薦的1><2>使用者2>"
@@ -67,29 +55,21 @@ msgstr "<0>跟隨一些0><1>推薦的1><2>使用者2>"
msgid "<0>Welcome to0><1>Bluesky1>"
msgstr "<0>歡迎來到0><1>Bluesky1>"
-#: src/screens/Profile/Header/Handle.tsx:42
+#: src/screens/Profile/Header/Handle.tsx:43
msgid "⚠Invalid Handle"
msgstr "⚠無效的帳號代碼"
-#: src/view/com/util/moderation/LabelInfo.tsx:45
-#~ msgid "A content warning has been applied to this {0}."
-#~ msgstr "內容警告已套用到這個{0}。"
-
-#: src/lib/hooks/useOTAUpdate.ts:16
-#~ msgid "A new version of the app is available. Please update to continue using the app."
-#~ msgstr "新版本應用程式已發佈,請更新以繼續使用。"
-
#: src/view/com/util/ViewHeader.tsx:89
-#: src/view/screens/Search/Search.tsx:649
+#: src/view/screens/Search/Search.tsx:796
msgid "Access navigation links and settings"
msgstr "存取導覽連結和設定"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:54
msgid "Access profile and other navigation links"
msgstr "存取個人資料和其他導覽連結"
#: src/view/com/modals/EditImage.tsx:300
-#: src/view/screens/Settings/index.tsx:470
+#: src/view/screens/Settings/index.tsx:421
msgid "Accessibility"
msgstr "協助工具"
@@ -98,8 +78,8 @@ msgid "account"
msgstr "帳號"
#: src/screens/Login/LoginForm.tsx:144
-#: src/view/screens/Settings/index.tsx:327
-#: src/view/screens/Settings/index.tsx:743
+#: src/view/screens/Settings/index.tsx:330
+#: src/view/screens/Settings/index.tsx:707
msgid "Account"
msgstr "帳號"
@@ -149,7 +129,7 @@ msgstr "已取消靜音帳號"
#: src/view/com/auth/onboarding/RecommendedFeedsItem.tsx:150
#: src/view/com/modals/ListAddRemoveUsers.tsx:268
#: src/view/com/modals/UserAddRemoveLists.tsx:219
-#: src/view/screens/ProfileList.tsx:827
+#: src/view/screens/ProfileList.tsx:829
msgid "Add"
msgstr "新增"
@@ -157,13 +137,13 @@ msgstr "新增"
msgid "Add a content warning"
msgstr "新增內容警告"
-#: src/view/screens/ProfileList.tsx:817
+#: src/view/screens/ProfileList.tsx:819
msgid "Add a user to this list"
msgstr "將使用者新增至此列表"
#: src/components/dialogs/SwitchAccount.tsx:55
-#: src/view/screens/Settings/index.tsx:402
-#: src/view/screens/Settings/index.tsx:411
+#: src/view/screens/Settings/index.tsx:405
+#: src/view/screens/Settings/index.tsx:414
msgid "Add account"
msgstr "新增帳號"
@@ -179,15 +159,6 @@ msgstr "新增替代文字"
msgid "Add App Password"
msgstr "新增應用程式專用密碼"
-#: src/view/com/modals/report/InputIssueDetails.tsx:41
-#: src/view/com/modals/report/Modal.tsx:191
-#~ msgid "Add details"
-#~ msgstr "新增細節"
-
-#: src/view/com/modals/report/Modal.tsx:194
-#~ msgid "Add details to report"
-#~ msgstr "補充回報詳細內容"
-
#: src/view/com/composer/Composer.tsx:467
msgid "Add link card"
msgstr "新增連結卡片"
@@ -198,11 +169,11 @@ msgstr "新增連結卡片:"
#: src/components/dialogs/MutedWords.tsx:157
msgid "Add mute word for configured settings"
-msgstr ""
+msgstr "在設定中新增靜音字詞"
#: src/components/dialogs/MutedWords.tsx:86
msgid "Add muted words and tags"
-msgstr ""
+msgstr "新增靜音字詞及標籤"
#: src/view/com/modals/ChangeHandle.tsx:416
msgid "Add the following DNS record to your domain:"
@@ -240,20 +211,16 @@ msgstr "調整回覆要在你的訊息流顯示所需的最低喜歡數。"
msgid "Adult Content"
msgstr "成人內容"
-#: src/view/com/modals/ContentFilteringSettings.tsx:141
-#~ msgid "Adult content can only be enabled via the Web at <0/>."
-#~ msgstr "成人內容只能在網頁上<0/>啟用。"
-
#: src/components/moderation/LabelPreference.tsx:242
msgid "Adult content is disabled."
-msgstr ""
+msgstr "成人內容已停用"
#: src/screens/Moderation/index.tsx:375
-#: src/view/screens/Settings/index.tsx:684
+#: src/view/screens/Settings/index.tsx:635
msgid "Advanced"
msgstr "詳細設定"
-#: src/view/screens/Feeds.tsx:666
+#: src/view/screens/Feeds.tsx:691
msgid "All the feeds you've saved, right in one place."
msgstr "你已儲存的所有訊息流都集中在一處。"
@@ -288,8 +255,10 @@ msgstr "一封電子郵件已發送至先前填寫的電子郵件地址 {0}。
#: src/lib/moderation/useReportOptions.ts:26
msgid "An issue not included in these options"
-msgstr ""
+msgstr "這些選項中沒有包括的問題"
+#: src/components/hooks/useFollowMethods.ts:35
+#: src/components/hooks/useFollowMethods.ts:50
#: src/view/com/profile/FollowButton.tsx:35
#: src/view/com/profile/FollowButton.tsx:45
#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:188
@@ -297,7 +266,7 @@ msgstr ""
msgid "An issue occurred, please try again."
msgstr "出現問題,請重試。"
-#: src/view/com/notifications/FeedItem.tsx:240
+#: src/view/com/notifications/FeedItem.tsx:242
#: src/view/com/threadgate/WhoCanReply.tsx:178
msgid "and"
msgstr "和"
@@ -308,7 +277,7 @@ msgstr "動物"
#: src/lib/moderation/useReportOptions.ts:31
msgid "Anti-Social Behavior"
-msgstr ""
+msgstr "反社會行為"
#: src/view/screens/LanguageSettings.tsx:95
msgid "App Language"
@@ -326,51 +295,30 @@ msgstr "應用程式專用密碼只能包含字母、數字、空格、破折號
msgid "App Password names must be at least 4 characters long."
msgstr "應用程式專用密碼名稱必須至少為 4 個字元。"
-#: src/view/screens/Settings/index.tsx:695
+#: src/view/screens/Settings/index.tsx:646
msgid "App password settings"
msgstr "應用程式專用密碼設定"
-#: src/view/screens/Settings.tsx:650
-#~ msgid "App passwords"
-#~ msgstr "應用程式專用密碼"
-
#: src/Navigation.tsx:251
#: src/view/screens/AppPasswords.tsx:189
-#: src/view/screens/Settings/index.tsx:704
+#: src/view/screens/Settings/index.tsx:655
msgid "App Passwords"
msgstr "應用程式專用密碼"
#: src/components/moderation/LabelsOnMeDialog.tsx:133
#: src/components/moderation/LabelsOnMeDialog.tsx:136
msgid "Appeal"
-msgstr ""
+msgstr "申訴"
#: src/components/moderation/LabelsOnMeDialog.tsx:201
msgid "Appeal \"{0}\" label"
-msgstr ""
-
-#: src/view/com/util/forms/PostDropdownBtn.tsx:337
-#: src/view/com/util/forms/PostDropdownBtn.tsx:346
-#~ msgid "Appeal content warning"
-#~ msgstr "申訴內容警告"
-
-#: src/view/com/modals/AppealLabel.tsx:65
-#~ msgid "Appeal Content Warning"
-#~ msgstr "申訴內容警告"
+msgstr "申訴標籤 \"{0}\""
#: src/components/moderation/LabelsOnMeDialog.tsx:192
msgid "Appeal submitted."
-msgstr ""
-
-#: src/view/com/util/moderation/LabelInfo.tsx:52
-#~ msgid "Appeal this decision"
-#~ msgstr "對此決定提出申訴"
+msgstr "申訴已提交。"
-#: src/view/com/util/moderation/LabelInfo.tsx:56
-#~ msgid "Appeal this decision."
-#~ msgstr "對此決定提出申訴。"
-
-#: src/view/screens/Settings/index.tsx:485
+#: src/view/screens/Settings/index.tsx:436
msgid "Appearance"
msgstr "外觀"
@@ -380,7 +328,7 @@ msgstr "你確定要刪除這個應用程式專用密碼「{name}」嗎?"
#: src/view/com/feeds/FeedSourceCard.tsx:280
msgid "Are you sure you want to remove {0} from your feeds?"
-msgstr ""
+msgstr "你確定要從你的訊息流中移除 {0} 嗎?"
#: src/view/com/composer/Composer.tsx:509
msgid "Are you sure you'd like to discard this draft?"
@@ -390,10 +338,6 @@ msgstr "你確定要捨棄此草稿嗎?"
msgid "Are you sure?"
msgstr "你確定嗎?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:322
-#~ msgid "Are you sure? This cannot be undone."
-#~ msgstr "你確定嗎?此操作無法撤銷。"
-
#: src/view/com/composer/select-language/SuggestedLanguage.tsx:60
msgid "Are you writing in <0>{0}0>?"
msgstr "你正在使用 <0>{0}0> 書寫嗎?"
@@ -406,9 +350,9 @@ msgstr "藝術"
msgid "Artistic or non-erotic nudity."
msgstr "藝術作品或非情色的裸露。"
-#: src/screens/Signup/StepHandle.tsx:118
+#: src/screens/Signup/StepHandle.tsx:119
msgid "At least 3 characters"
-msgstr ""
+msgstr "至少 3 個字元"
#: src/components/moderation/LabelsOnMeDialog.tsx:246
#: src/components/moderation/LabelsOnMeDialog.tsx:247
@@ -421,21 +365,16 @@ msgstr ""
#: src/screens/Login/SetNewPasswordForm.tsx:160
#: src/screens/Login/SetNewPasswordForm.tsx:166
#: src/screens/Profile/Header/Shell.tsx:96
-#: src/screens/Signup/index.tsx:179
+#: src/screens/Signup/index.tsx:180
#: src/view/com/util/ViewHeader.tsx:87
msgid "Back"
msgstr "返回"
-#: src/view/com/post-thread/PostThread.tsx:480
-#~ msgctxt "action"
-#~ msgid "Back"
-#~ msgstr "返回"
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:144
msgid "Based on your interest in {interestsText}"
msgstr "因為你對 {interestsText} 感興趣"
-#: src/view/screens/Settings/index.tsx:542
+#: src/view/screens/Settings/index.tsx:493
msgid "Basics"
msgstr "基礎資訊"
@@ -443,11 +382,11 @@ msgstr "基礎資訊"
msgid "Birthday"
msgstr "生日"
-#: src/view/screens/Settings/index.tsx:359
+#: src/view/screens/Settings/index.tsx:362
msgid "Birthday:"
msgstr "生日:"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
msgid "Block"
msgstr "封鎖"
@@ -461,25 +400,21 @@ msgstr "封鎖帳號"
msgid "Block Account?"
msgstr "封鎖帳號?"
-#: src/view/screens/ProfileList.tsx:530
+#: src/view/screens/ProfileList.tsx:532
msgid "Block accounts"
msgstr "封鎖帳號"
-#: src/view/screens/ProfileList.tsx:478
-#: src/view/screens/ProfileList.tsx:634
+#: src/view/screens/ProfileList.tsx:480
+#: src/view/screens/ProfileList.tsx:636
msgid "Block list"
msgstr "封鎖列表"
-#: src/view/screens/ProfileList.tsx:629
+#: src/view/screens/ProfileList.tsx:631
msgid "Block these accounts?"
msgstr "封鎖這些帳號?"
-#: src/view/screens/ProfileList.tsx:320
-#~ msgid "Block this List"
-#~ msgstr "封鎖此列表"
-
#: src/view/com/lists/ListCard.tsx:110
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:55
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:58
msgid "Blocked"
msgstr "已封鎖"
@@ -488,7 +423,7 @@ msgid "Blocked accounts"
msgstr "已封鎖帳號"
#: src/Navigation.tsx:134
-#: src/view/screens/ModerationBlockedAccounts.tsx:107
+#: src/view/screens/ModerationBlockedAccounts.tsx:113
msgid "Blocked Accounts"
msgstr "已封鎖帳號"
@@ -496,7 +431,7 @@ msgstr "已封鎖帳號"
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "被封鎖的帳號無法在你的貼文中回覆、提及你,或以其他方式與你互動。"
-#: src/view/screens/ModerationBlockedAccounts.tsx:115
+#: src/view/screens/ModerationBlockedAccounts.tsx:121
msgid "Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you. You will not see their content and they will be prevented from seeing yours."
msgstr "被封鎖的帳號無法在你的貼文中回覆、提及你,或以其他方式與你互動。你將不會看到他們所發佈的內容,同樣他們也無法查看你的內容。"
@@ -504,24 +439,22 @@ msgstr "被封鎖的帳號無法在你的貼文中回覆、提及你,或以其
msgid "Blocked post."
msgstr "已封鎖貼文。"
-#: src/screens/Profile/Sections/Labels.tsx:152
+#: src/screens/Profile/Sections/Labels.tsx:163
msgid "Blocking does not prevent this labeler from placing labels on your account."
-msgstr ""
+msgstr "封鎖並不能阻止此標記者在你的帳戶上標記標籤。"
-#: src/view/screens/ProfileList.tsx:631
+#: src/view/screens/ProfileList.tsx:633
msgid "Blocking is public. Blocked accounts cannot reply in your threads, mention you, or otherwise interact with you."
msgstr "封鎖是公開的。被封鎖的帳號無法在你的貼文中回覆、提及你,或以其他方式與你互動。"
#: src/view/com/profile/ProfileMenu.tsx:353
msgid "Blocking will not prevent labels from being applied on your account, but it will stop this account from replying in your threads or interacting with you."
-msgstr ""
+msgstr "封鎖不會阻止標籤套用在你的帳戶上,但它會阻止此帳戶在你的討論串中回覆或與你進行互動。"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:98
-#: src/view/com/auth/SplashScreen.web.tsx:169
+#: src/view/com/auth/SplashScreen.web.tsx:149
msgid "Blog"
msgstr "部落格"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:32
#: src/view/com/auth/server-input/index.tsx:89
#: src/view/com/auth/server-input/index.tsx:91
msgid "Bluesky"
@@ -546,43 +479,26 @@ msgstr "Bluesky 保持開放。"
msgid "Bluesky is public."
msgstr "Bluesky 為公眾而生。"
-#: src/view/com/modals/Waitlist.tsx:70
-#~ msgid "Bluesky uses invites to build a healthier community. If you don't know anybody with an invite, you can sign up for the waitlist and we'll send one soon."
-#~ msgstr "Bluesky 使用邀請制來打造更健康的社群環境。如果你不認識擁有邀請碼的人,你可以先填寫並加入候補清單,我們會儘快審核並發送邀請碼。"
-
#: src/screens/Moderation/index.tsx:533
msgid "Bluesky will not show your profile and posts to logged-out users. Other apps may not honor this request. This does not make your account private."
msgstr "Bluesky 不會向未登入的使用者顯示你的個人資料和貼文。但其他應用可能不會遵照此請求,這無法確保你的帳號隱私。"
-#: src/view/com/modals/ServerInput.tsx:78
-#~ msgid "Bluesky.Social"
-#~ msgstr "Bluesky.Social"
-
#: src/lib/moderation/useLabelBehaviorDescription.ts:53
msgid "Blur images"
-msgstr ""
+msgstr "模糊圖片"
#: src/lib/moderation/useLabelBehaviorDescription.ts:51
msgid "Blur images and filter from feeds"
-msgstr ""
+msgstr "從訊息流中模糊圖片並過濾"
#: src/screens/Onboarding/index.tsx:33
msgid "Books"
msgstr "書籍"
-#: src/view/screens/Settings/index.tsx:893
-#~ msgid "Build version {0} {1}"
-#~ msgstr "建構版本號 {0} {1}"
-
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:92
-#: src/view/com/auth/SplashScreen.web.tsx:166
+#: src/view/com/auth/SplashScreen.web.tsx:146
msgid "Business"
msgstr "商務"
-#: src/view/com/modals/ServerInput.tsx:115
-#~ msgid "Button disabled. Input custom domain to proceed."
-#~ msgstr "按鈕已停用。請輸入自訂網域以繼續。"
-
#: src/view/com/profile/ProfileSubpageHeader.tsx:157
msgid "by —"
msgstr "來自 —"
@@ -637,7 +553,7 @@ msgstr "只能包含字母、數字、空格、破折號及底線。長度必須
#: src/view/com/modals/Repost.tsx:88
#: src/view/com/modals/VerifyEmail.tsx:247
#: src/view/com/modals/VerifyEmail.tsx:253
-#: src/view/screens/Search/Search.tsx:718
+#: src/view/screens/Search/Search.tsx:865
#: src/view/shell/desktop/Search.tsx:239
msgid "Cancel"
msgstr "取消"
@@ -675,29 +591,25 @@ msgstr "取消引用貼文"
msgid "Cancel search"
msgstr "取消搜尋"
-#: src/view/com/modals/Waitlist.tsx:136
-#~ msgid "Cancel waitlist signup"
-#~ msgstr "取消候補清單註冊"
-
#: src/view/com/modals/LinkWarning.tsx:106
msgid "Cancels opening the linked website"
-msgstr ""
+msgstr "取消開啟連結的網站"
#: src/view/com/modals/VerifyEmail.tsx:152
msgid "Change"
msgstr "變更"
-#: src/view/screens/Settings/index.tsx:353
+#: src/view/screens/Settings/index.tsx:356
msgctxt "action"
msgid "Change"
msgstr "變更"
-#: src/view/screens/Settings/index.tsx:716
+#: src/view/screens/Settings/index.tsx:667
msgid "Change handle"
msgstr "變更帳號代碼"
#: src/view/com/modals/ChangeHandle.tsx:162
-#: src/view/screens/Settings/index.tsx:727
+#: src/view/screens/Settings/index.tsx:678
msgid "Change Handle"
msgstr "變更帳號代碼"
@@ -705,12 +617,12 @@ msgstr "變更帳號代碼"
msgid "Change my email"
msgstr "變更我的電子郵件地址"
-#: src/view/screens/Settings/index.tsx:754
+#: src/view/screens/Settings/index.tsx:718
msgid "Change password"
msgstr "變更密碼"
#: src/view/com/modals/ChangePassword.tsx:141
-#: src/view/screens/Settings/index.tsx:765
+#: src/view/screens/Settings/index.tsx:729
msgid "Change Password"
msgstr "變更密碼"
@@ -718,10 +630,6 @@ msgstr "變更密碼"
msgid "Change post language to {0}"
msgstr "變更貼文的發佈語言至 {0}"
-#: src/view/screens/Settings/index.tsx:733
-#~ msgid "Change your Bluesky password"
-#~ msgstr "變更你的 Bluesky 密碼"
-
#: src/view/com/modals/ChangeEmail.tsx:109
msgid "Change Your Email"
msgstr "變更你的電子郵件地址"
@@ -731,11 +639,11 @@ msgstr "變更你的電子郵件地址"
msgid "Check my status"
msgstr "檢查我的狀態"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:121
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:122
msgid "Check out some recommended feeds. Tap + to add them to your list of pinned feeds."
msgstr "來看看一些推薦的訊息流吧。點擊 + 將它們新增到你的釘選訊息流清單中。"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:185
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:186
msgid "Check out some recommended users. Follow them to see similar users."
msgstr "來看看一些推薦的使用者吧。跟隨人來查看類似的使用者。"
@@ -747,10 +655,6 @@ msgstr "查看寄送至你電子郵件地址的確認郵件,然後在下方輸
msgid "Choose \"Everybody\" or \"Nobody\""
msgstr "選擇「所有人」或「沒有人」"
-#: src/view/screens/Settings/index.tsx:697
-#~ msgid "Choose a new Bluesky username or create"
-#~ msgstr "選擇一個新的 Bluesky 使用者名稱或重新建立"
-
#: src/view/com/auth/server-input/index.tsx:79
msgid "Choose Service"
msgstr "選擇服務"
@@ -768,38 +672,38 @@ msgstr "選擇你的自訂訊息流體驗所使用的演算法。"
msgid "Choose your main feeds"
msgstr "選擇你的主要訊息流"
-#: src/screens/Signup/StepInfo/index.tsx:112
+#: src/screens/Signup/StepInfo/index.tsx:114
msgid "Choose your password"
msgstr "選擇你的密碼"
-#: src/view/screens/Settings/index.tsx:868
+#: src/view/screens/Settings/index.tsx:832
msgid "Clear all legacy storage data"
msgstr "清除所有舊儲存資料"
-#: src/view/screens/Settings/index.tsx:871
+#: src/view/screens/Settings/index.tsx:835
msgid "Clear all legacy storage data (restart after this)"
msgstr "清除所有舊儲存資料(並重啟)"
-#: src/view/screens/Settings/index.tsx:880
+#: src/view/screens/Settings/index.tsx:844
msgid "Clear all storage data"
msgstr "清除所有資料"
-#: src/view/screens/Settings/index.tsx:883
+#: src/view/screens/Settings/index.tsx:847
msgid "Clear all storage data (restart after this)"
msgstr "清除所有資料(並重啟)"
#: src/view/com/util/forms/SearchInput.tsx:88
-#: src/view/screens/Search/Search.tsx:699
+#: src/view/screens/Search/Search.tsx:846
msgid "Clear search query"
msgstr "清除搜尋記錄"
-#: src/view/screens/Settings/index.tsx:869
+#: src/view/screens/Settings/index.tsx:833
msgid "Clears all legacy storage data"
-msgstr ""
+msgstr "清除所有舊儲存資料"
-#: src/view/screens/Settings/index.tsx:881
+#: src/view/screens/Settings/index.tsx:845
msgid "Clears all storage data"
-msgstr ""
+msgstr "清除所有資料"
#: src/view/screens/Support.tsx:40
msgid "click here"
@@ -807,11 +711,11 @@ msgstr "點擊這裡"
#: src/components/TagMenu/index.web.tsx:138
msgid "Click here to open tag menu for {tag}"
-msgstr ""
+msgstr "點擊這裡開啟 {tag} 的標籤選單"
-#: src/components/RichText.tsx:192
+#: src/components/RichText.tsx:198
msgid "Click here to open tag menu for #{tag}"
-msgstr ""
+msgstr "點擊這裡開啟 #{tag} 的標籤選單"
#: src/screens/Onboarding/index.tsx:35
msgid "Climate"
@@ -843,16 +747,16 @@ msgstr "關閉圖片"
msgid "Close image viewer"
msgstr "關閉圖片檢視器"
-#: src/view/shell/index.web.tsx:55
+#: src/view/shell/index.web.tsx:57
msgid "Close navigation footer"
msgstr "關閉導覽頁腳"
#: src/components/Menu/index.tsx:207
#: src/components/TagMenu/index.tsx:262
msgid "Close this dialog"
-msgstr ""
+msgstr "關閉此對話框"
-#: src/view/shell/index.web.tsx:56
+#: src/view/shell/index.web.tsx:58
msgid "Closes bottom navigation bar"
msgstr "關閉底部導覽列"
@@ -868,7 +772,7 @@ msgstr "關閉貼文編輯頁並捨棄草稿"
msgid "Closes viewer for header image"
msgstr "關閉標題圖片檢視器"
-#: src/view/com/notifications/FeedItem.tsx:321
+#: src/view/com/notifications/FeedItem.tsx:323
msgid "Collapses list of users for a given notification"
msgstr "折疊指定通知的使用者清單"
@@ -889,7 +793,7 @@ msgstr "社群準則"
msgid "Complete onboarding and start using your account"
msgstr "完成初始設定並開始使用你的帳號"
-#: src/screens/Signup/index.tsx:154
+#: src/screens/Signup/index.tsx:155
msgid "Complete the challenge"
msgstr "完成驗證"
@@ -907,11 +811,11 @@ msgstr "調整類別的內容過濾設定:{0}"
#: src/components/moderation/LabelPreference.tsx:81
msgid "Configure content filtering setting for category: {name}"
-msgstr ""
+msgstr "為 {name} 分類配置內容過濾設定"
#: src/components/moderation/LabelPreference.tsx:244
msgid "Configured in <0>moderation settings0>."
-msgstr ""
+msgstr "在<0>限制設定0>中進行配置"
#: src/components/Prompt.tsx:153
#: src/components/Prompt.tsx:156
@@ -923,12 +827,6 @@ msgstr ""
msgid "Confirm"
msgstr "確認"
-#: src/view/com/modals/Confirm.tsx:75
-#: src/view/com/modals/Confirm.tsx:78
-#~ msgctxt "action"
-#~ msgid "Confirm"
-#~ msgstr "確認"
-
#: src/view/com/modals/ChangeEmail.tsx:193
#: src/view/com/modals/ChangeEmail.tsx:195
msgid "Confirm Change"
@@ -942,17 +840,13 @@ msgstr "確認內容語言設定"
msgid "Confirm delete account"
msgstr "確認刪除帳號"
-#: src/view/com/modals/ContentFilteringSettings.tsx:156
-#~ msgid "Confirm your age to enable adult content."
-#~ msgstr "確認你的年齡以顯示成人內容。"
-
#: src/screens/Moderation/index.tsx:301
msgid "Confirm your age:"
-msgstr ""
+msgstr "確認你的年齡:"
#: src/screens/Moderation/index.tsx:292
msgid "Confirm your birthdate"
-msgstr ""
+msgstr "確認你的出生日期"
#: src/view/com/modals/ChangeEmail.tsx:157
#: src/view/com/modals/DeleteAccount.tsx:175
@@ -961,33 +855,21 @@ msgstr ""
msgid "Confirmation code"
msgstr "驗證碼"
-#: src/view/com/modals/Waitlist.tsx:120
-#~ msgid "Confirms signing up {email} to the waitlist"
-#~ msgstr "確認將 {email} 註冊到候補列表"
-
#: src/screens/Login/LoginForm.tsx:248
msgid "Connecting..."
msgstr "連線中…"
-#: src/screens/Signup/index.tsx:219
+#: src/screens/Signup/index.tsx:225
msgid "Contact support"
msgstr "聯絡支援"
#: src/components/moderation/LabelsOnMe.tsx:42
msgid "content"
-msgstr ""
+msgstr "內容"
#: src/lib/moderation/useGlobalLabelStrings.ts:18
msgid "Content Blocked"
-msgstr ""
-
-#: src/view/screens/Moderation.tsx:83
-#~ msgid "Content filtering"
-#~ msgstr "內容過濾"
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:44
-#~ msgid "Content Filtering"
-#~ msgstr "內容過濾"
+msgstr "已封鎖內容"
#: src/screens/Moderation/index.tsx:285
msgid "Content filters"
@@ -1016,28 +898,28 @@ msgstr "內容警告"
#: src/components/Menu/index.web.tsx:84
msgid "Context menu backdrop, click to close the menu."
-msgstr ""
+msgstr "上下文菜單背景,點擊以關閉菜單"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:161
#: src/screens/Onboarding/StepFollowingFeed.tsx:154
#: src/screens/Onboarding/StepInterests/index.tsx:252
#: src/screens/Onboarding/StepModeration/index.tsx:103
#: src/screens/Onboarding/StepTopicalFeeds.tsx:118
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:148
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:209
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:150
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:211
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:96
msgid "Continue"
msgstr "繼續"
#: src/components/AccountList.tsx:108
msgid "Continue as {0} (currently signed in)"
-msgstr ""
+msgstr "以 {0} 繼續 (目前已登入)"
#: src/screens/Onboarding/StepFollowingFeed.tsx:151
#: src/screens/Onboarding/StepInterests/index.tsx:249
#: src/screens/Onboarding/StepModeration/index.tsx:100
#: src/screens/Onboarding/StepTopicalFeeds.tsx:115
-#: src/screens/Signup/index.tsx:198
+#: src/screens/Signup/index.tsx:200
msgid "Continue to next step"
msgstr "繼續下一步"
@@ -1058,17 +940,21 @@ msgstr "烹飪"
msgid "Copied"
msgstr "已複製"
-#: src/view/screens/Settings/index.tsx:251
+#: src/view/screens/Settings/index.tsx:254
msgid "Copied build version to clipboard"
msgstr "已複製建構版本號至剪貼簿"
#: src/view/com/modals/AddAppPasswords.tsx:77
#: src/view/com/modals/ChangeHandle.tsx:326
#: src/view/com/modals/InviteCodes.tsx:153
-#: src/view/com/util/forms/PostDropdownBtn.tsx:158
+#: src/view/com/util/forms/PostDropdownBtn.tsx:164
msgid "Copied to clipboard"
msgstr "已複製至剪貼簿"
+#: src/components/dialogs/Embed.tsx:134
+msgid "Copied!"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:190
msgid "Copies app password"
msgstr "複製應用程式專用密碼"
@@ -1081,21 +967,22 @@ msgstr "複製"
msgid "Copy {0}"
msgstr "複製 {0}"
-#: src/view/screens/ProfileList.tsx:388
+#: src/components/dialogs/Embed.tsx:120
+#: src/components/dialogs/Embed.tsx:139
+msgid "Copy code"
+msgstr ""
+
+#: src/view/screens/ProfileList.tsx:390
msgid "Copy link to list"
msgstr "複製列表連結"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
msgid "Copy link to post"
msgstr "複製貼文連結"
-#: src/view/com/profile/ProfileHeader.tsx:295
-#~ msgid "Copy link to profile"
-#~ msgstr "複製個人資料連結"
-
-#: src/view/com/util/forms/PostDropdownBtn.tsx:220
-#: src/view/com/util/forms/PostDropdownBtn.tsx:222
+#: src/view/com/util/forms/PostDropdownBtn.tsx:228
+#: src/view/com/util/forms/PostDropdownBtn.tsx:230
msgid "Copy post text"
msgstr "複製貼文文字"
@@ -1108,54 +995,45 @@ msgstr "著作權政策"
msgid "Could not load feed"
msgstr "無法載入訊息流"
-#: src/view/screens/ProfileList.tsx:907
+#: src/view/screens/ProfileList.tsx:909
msgid "Could not load list"
msgstr "無法載入列表"
-#: src/view/com/auth/create/Step2.tsx:91
-#~ msgid "Country"
-#~ msgstr "國家"
-
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:65
-#: src/view/com/auth/SplashScreen.tsx:75
-#: src/view/com/auth/SplashScreen.web.tsx:104
+#: src/view/com/auth/SplashScreen.tsx:57
+#: src/view/com/auth/SplashScreen.web.tsx:101
msgid "Create a new account"
msgstr "建立新帳號"
-#: src/view/screens/Settings/index.tsx:403
+#: src/view/screens/Settings/index.tsx:406
msgid "Create a new Bluesky account"
msgstr "建立新的 Bluesky 帳號"
-#: src/screens/Signup/index.tsx:129
+#: src/screens/Signup/index.tsx:130
msgid "Create Account"
msgstr "建立帳號"
+#: src/components/dialogs/Signin.tsx:86
+#: src/components/dialogs/Signin.tsx:88
+msgid "Create an account"
+msgstr ""
+
#: src/view/com/modals/AddAppPasswords.tsx:227
msgid "Create App Password"
msgstr "建立應用程式專用密碼"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:55
-#: src/view/com/auth/SplashScreen.tsx:66
-#: src/view/com/auth/SplashScreen.web.tsx:95
+#: src/view/com/auth/SplashScreen.tsx:48
+#: src/view/com/auth/SplashScreen.web.tsx:92
msgid "Create new account"
msgstr "建立新帳號"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:93
+#: src/components/ReportDialog/SelectReportOptionView.tsx:94
msgid "Create report for {0}"
-msgstr ""
+msgstr "建立 {0} 的檢舉"
#: src/view/screens/AppPasswords.tsx:246
msgid "Created {0}"
msgstr "{0} 已建立"
-#: src/view/screens/ProfileFeed.tsx:616
-#~ msgid "Created by <0/>"
-#~ msgstr "由 <0/> 建立"
-
-#: src/view/screens/ProfileFeed.tsx:614
-#~ msgid "Created by you"
-#~ msgstr "由你建立"
-
#: src/view/com/composer/Composer.tsx:469
msgid "Creates a card with a thumbnail. The card links to {url}"
msgstr "建立帶有縮圖的卡片。該卡片連結到 {url}"
@@ -1174,7 +1052,7 @@ msgid "Custom domain"
msgstr "自訂網域"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:107
-#: src/view/screens/Feeds.tsx:692
+#: src/view/screens/Feeds.tsx:717
msgid "Custom feeds built by the community bring you new experiences and help you find the content you love."
msgstr "由社群打造的自訂訊息流帶來新鮮體驗,協助你找到所愛內容。"
@@ -1182,42 +1060,38 @@ msgstr "由社群打造的自訂訊息流帶來新鮮體驗,協助你找到所
msgid "Customize media from external sites."
msgstr "自訂外部網站的媒體。"
-#: src/view/screens/Settings.tsx:687
-#~ msgid "Danger Zone"
-#~ msgstr "危險區域"
-
-#: src/view/screens/Settings/index.tsx:504
-#: src/view/screens/Settings/index.tsx:530
+#: src/view/screens/Settings/index.tsx:455
+#: src/view/screens/Settings/index.tsx:481
msgid "Dark"
-msgstr "深黑"
+msgstr "深色"
#: src/view/screens/Debug.tsx:63
msgid "Dark mode"
msgstr "深色模式"
-#: src/view/screens/Settings/index.tsx:517
+#: src/view/screens/Settings/index.tsx:468
msgid "Dark Theme"
msgstr "深色主題"
-#: src/screens/Signup/StepInfo/index.tsx:132
+#: src/screens/Signup/StepInfo/index.tsx:134
msgid "Date of birth"
-msgstr ""
+msgstr "出生日期"
-#: src/view/screens/Settings/index.tsx:841
+#: src/view/screens/Settings/index.tsx:805
msgid "Debug Moderation"
-msgstr ""
+msgstr "限制除錯"
#: src/view/screens/Debug.tsx:83
msgid "Debug panel"
msgstr "除錯面板"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:319
+#: src/view/com/util/forms/PostDropdownBtn.tsx:341
#: src/view/screens/AppPasswords.tsx:268
-#: src/view/screens/ProfileList.tsx:613
+#: src/view/screens/ProfileList.tsx:615
msgid "Delete"
msgstr "刪除"
-#: src/view/screens/Settings/index.tsx:796
+#: src/view/screens/Settings/index.tsx:760
msgid "Delete account"
msgstr "刪除帳號"
@@ -1233,7 +1107,7 @@ msgstr "刪除應用程式專用密碼"
msgid "Delete app password?"
msgstr "刪除應用程式專用密碼?"
-#: src/view/screens/ProfileList.tsx:415
+#: src/view/screens/ProfileList.tsx:417
msgid "Delete List"
msgstr "刪除列表"
@@ -1241,28 +1115,24 @@ msgstr "刪除列表"
msgid "Delete my account"
msgstr "刪除我的帳號"
-#: src/view/screens/Settings.tsx:706
-#~ msgid "Delete my account…"
-#~ msgstr "刪除我的帳號…"
-
-#: src/view/screens/Settings/index.tsx:808
+#: src/view/screens/Settings/index.tsx:772
msgid "Delete My Account…"
msgstr "刪除我的帳號…"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:302
-#: src/view/com/util/forms/PostDropdownBtn.tsx:304
+#: src/view/com/util/forms/PostDropdownBtn.tsx:322
+#: src/view/com/util/forms/PostDropdownBtn.tsx:324
msgid "Delete post"
msgstr "刪除貼文"
-#: src/view/screens/ProfileList.tsx:608
+#: src/view/screens/ProfileList.tsx:610
msgid "Delete this list?"
-msgstr ""
+msgstr "刪除此列表?"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:314
+#: src/view/com/util/forms/PostDropdownBtn.tsx:336
msgid "Delete this post?"
msgstr "刪除這條貼文?"
-#: src/view/com/util/post-embeds/QuoteEmbed.tsx:64
+#: src/view/com/util/post-embeds/QuoteEmbed.tsx:67
msgid "Deleted"
msgstr "已刪除"
@@ -1277,33 +1147,33 @@ msgstr "已刪除貼文。"
msgid "Description"
msgstr "描述"
-#: src/view/screens/Settings.tsx:760
-#~ msgid "Developer Tools"
-#~ msgstr "開發者工具"
-
#: src/view/com/composer/Composer.tsx:218
msgid "Did you want to say anything?"
msgstr "有什麼想說的嗎?"
-#: src/view/screens/Settings/index.tsx:523
+#: src/view/screens/Settings/index.tsx:474
msgid "Dim"
msgstr "暗淡"
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable haptics"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:697
+msgid "Disable vibrations"
+msgstr ""
+
#: src/lib/moderation/useLabelBehaviorDescription.ts:32
#: src/lib/moderation/useLabelBehaviorDescription.ts:42
#: src/lib/moderation/useLabelBehaviorDescription.ts:68
#: src/screens/Moderation/index.tsx:341
msgid "Disabled"
-msgstr ""
+msgstr "停用"
#: src/view/com/composer/Composer.tsx:511
msgid "Discard"
msgstr "捨棄"
-#: src/view/com/composer/Composer.tsx:145
-#~ msgid "Discard draft"
-#~ msgstr "捨棄草稿"
-
#: src/view/com/composer/Composer.tsx:508
msgid "Discard draft?"
msgstr "捨棄草稿?"
@@ -1318,11 +1188,7 @@ msgstr "鼓勵應用程式不要向未登入使用者顯示我的帳號"
msgid "Discover new custom feeds"
msgstr "探索新的自訂訊息流"
-#: src/view/screens/Feeds.tsx:473
-#~ msgid "Discover new feeds"
-#~ msgstr "探索新的訊息流"
-
-#: src/view/screens/Feeds.tsx:689
+#: src/view/screens/Feeds.tsx:714
msgid "Discover New Feeds"
msgstr "探索新的訊息流"
@@ -1336,28 +1202,24 @@ msgstr "顯示名稱"
#: src/view/com/modals/ChangeHandle.tsx:397
msgid "DNS Panel"
-msgstr ""
+msgstr "DNS 控制台"
#: src/lib/moderation/useGlobalLabelStrings.ts:39
msgid "Does not include nudity."
-msgstr ""
+msgstr "不包含裸露内容。"
-#: src/screens/Signup/StepHandle.tsx:104
+#: src/screens/Signup/StepHandle.tsx:105
msgid "Doesn't begin or end with a hyphen"
-msgstr ""
+msgstr "不以連字符開頭或結尾"
#: src/view/com/modals/ChangeHandle.tsx:481
msgid "Domain Value"
-msgstr ""
+msgstr "網域設定值"
#: src/view/com/modals/ChangeHandle.tsx:488
msgid "Domain verified!"
msgstr "網域已驗證!"
-#: src/view/com/auth/create/Step1.tsx:170
-#~ msgid "Don't have an invite code?"
-#~ msgstr "沒有邀請碼?"
-
#: src/components/dialogs/BirthDateSettings.tsx:119
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/components/forms/DateField/index.tsx:74
@@ -1376,7 +1238,7 @@ msgstr "網域已驗證!"
msgid "Done"
msgstr "完成"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:86
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:87
#: src/view/com/modals/EditImage.tsx:334
#: src/view/com/modals/ListAddRemoveUsers.tsx:144
#: src/view/com/modals/SelfLabel.tsx:157
@@ -1393,14 +1255,6 @@ msgstr "完成"
msgid "Done{extraText}"
msgstr "完成{extraText}"
-#: src/view/com/auth/login/ChooseAccountForm.tsx:46
-#~ msgid "Double tap to sign in"
-#~ msgstr "雙擊以登入"
-
-#: src/view/screens/Settings/index.tsx:755
-#~ msgid "Download Bluesky account data (repository)"
-#~ msgstr "下載 Bluesky 帳號資料(存放庫)"
-
#: src/view/screens/Settings/ExportCarDialog.tsx:59
#: src/view/screens/Settings/ExportCarDialog.tsx:63
msgid "Download CAR file"
@@ -1416,7 +1270,7 @@ msgstr "受 Apple 政策限制,成人內容只能在完成註冊後在網頁
#: src/view/com/modals/ChangeHandle.tsx:258
msgid "e.g. alice"
-msgstr ""
+msgstr "例如:alice"
#: src/view/com/modals/EditProfile.tsx:186
msgid "e.g. Alice Roberts"
@@ -1424,7 +1278,7 @@ msgstr "例如:張藍天"
#: src/view/com/modals/ChangeHandle.tsx:380
msgid "e.g. alice.com"
-msgstr ""
+msgstr "例如:alice.com"
#: src/view/com/modals/EditProfile.tsx:204
msgid "e.g. Artist, dog-lover, and avid reader."
@@ -1432,7 +1286,7 @@ msgstr "例如:藝術家、愛狗人士和狂熱讀者。"
#: src/lib/moderation/useGlobalLabelStrings.ts:43
msgid "E.g. artistic nudes."
-msgstr ""
+msgstr "例如:藝術裸露。"
#: src/view/com/modals/CreateOrEditList.tsx:284
msgid "e.g. Great Posters"
@@ -1459,17 +1313,17 @@ msgctxt "action"
msgid "Edit"
msgstr "編輯"
-#: src/view/com/util/UserAvatar.tsx:299
+#: src/view/com/util/UserAvatar.tsx:301
#: src/view/com/util/UserBanner.tsx:85
msgid "Edit avatar"
-msgstr ""
+msgstr "編輯頭像"
#: src/view/com/composer/photos/Gallery.tsx:144
#: src/view/com/modals/EditImage.tsx:208
msgid "Edit image"
msgstr "編輯圖片"
-#: src/view/screens/ProfileList.tsx:403
+#: src/view/screens/ProfileList.tsx:405
msgid "Edit list details"
msgstr "編輯列表詳情"
@@ -1478,8 +1332,8 @@ msgid "Edit Moderation List"
msgstr "編輯管理列表"
#: src/Navigation.tsx:256
-#: src/view/screens/Feeds.tsx:434
-#: src/view/screens/SavedFeeds.tsx:84
+#: src/view/screens/Feeds.tsx:459
+#: src/view/screens/SavedFeeds.tsx:85
msgid "Edit My Feeds"
msgstr "編輯自訂訊息流"
@@ -1487,18 +1341,18 @@ msgstr "編輯自訂訊息流"
msgid "Edit my profile"
msgstr "編輯我的個人資料"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:171
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:178
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:168
msgid "Edit profile"
msgstr "編輯個人資料"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:174
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:181
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:171
msgid "Edit Profile"
msgstr "編輯個人資料"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:62
-#: src/view/screens/Feeds.tsx:355
+#: src/view/com/home/HomeHeaderLayout.web.tsx:66
+#: src/view/screens/Feeds.tsx:380
msgid "Edit Saved Feeds"
msgstr "編輯已儲存的訊息流"
@@ -1540,10 +1394,24 @@ msgstr "電子郵件已更新"
msgid "Email verified"
msgstr "電子郵件已驗證"
-#: src/view/screens/Settings/index.tsx:331
+#: src/view/screens/Settings/index.tsx:334
msgid "Email:"
msgstr "電子郵件:"
+#: src/components/dialogs/Embed.tsx:112
+msgid "Embed HTML code"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:97
+#: src/view/com/util/forms/PostDropdownBtn.tsx:253
+#: src/view/com/util/forms/PostDropdownBtn.tsx:255
+msgid "Embed post"
+msgstr ""
+
+#: src/components/dialogs/Embed.tsx:101
+msgid "Embed this post in your website. Simply copy the following snippet and paste it into the HTML code of your website."
+msgstr ""
+
#: src/components/dialogs/EmbedConsent.tsx:101
msgid "Enable {0} only"
msgstr "僅啟用 {0}"
@@ -1564,11 +1432,7 @@ msgstr "允許在你的訊息流中出現成人內容"
#: src/components/dialogs/EmbedConsent.tsx:82
#: src/components/dialogs/EmbedConsent.tsx:89
msgid "Enable external media"
-msgstr ""
-
-#: src/view/com/modals/EmbedConsent.tsx:97
-#~ msgid "Enable External Media"
-#~ msgstr "啟用外部媒體"
+msgstr "啟用外部媒體"
#: src/view/screens/PreferencesExternalEmbeds.tsx:75
msgid "Enable media players for"
@@ -1580,13 +1444,13 @@ msgstr "啟用此設定來只顯示你跟隨的人之間的回覆。"
#: src/components/dialogs/EmbedConsent.tsx:94
msgid "Enable this source only"
-msgstr ""
+msgstr "僅啟用此來源"
#: src/screens/Moderation/index.tsx:339
msgid "Enabled"
msgstr "啟用"
-#: src/screens/Profile/Sections/Feed.tsx:84
+#: src/screens/Profile/Sections/Feed.tsx:100
msgid "End of feed"
msgstr "訊息流的結尾"
@@ -1596,12 +1460,12 @@ msgstr "輸入此應用程式專用密碼的名稱"
#: src/screens/Login/SetNewPasswordForm.tsx:139
msgid "Enter a password"
-msgstr ""
+msgstr "輸入密碼"
#: src/components/dialogs/MutedWords.tsx:99
#: src/components/dialogs/MutedWords.tsx:100
msgid "Enter a word or tag"
-msgstr ""
+msgstr "輸入詞彙或標籤"
#: src/view/com/modals/VerifyEmail.tsx:105
msgid "Enter Confirmation Code"
@@ -1623,12 +1487,8 @@ msgstr "輸入你用於建立帳號的電子郵件。我們將向你發送重設
msgid "Enter your birth date"
msgstr "輸入你的出生日期"
-#: src/view/com/modals/Waitlist.tsx:78
-#~ msgid "Enter your email"
-#~ msgstr "輸入你的電子郵件地址"
-
#: src/screens/Login/ForgotPasswordForm.tsx:105
-#: src/screens/Signup/StepInfo/index.tsx:91
+#: src/screens/Signup/StepInfo/index.tsx:92
msgid "Enter your email address"
msgstr "輸入你的電子郵件地址"
@@ -1640,10 +1500,6 @@ msgstr "請在上方輸入你的新電子郵件地址"
msgid "Enter your new email address below."
msgstr "請在下方輸入你的新電子郵件地址。"
-#: src/view/com/auth/create/Step2.tsx:188
-#~ msgid "Enter your phone number"
-#~ msgstr "輸入你的手機號碼"
-
#: src/screens/Login/index.tsx:101
msgid "Enter your username and password"
msgstr "輸入你的使用者名稱和密碼"
@@ -1652,7 +1508,7 @@ msgstr "輸入你的使用者名稱和密碼"
msgid "Error receiving captcha response."
msgstr "Captcha 給出了錯誤的回應。"
-#: src/view/screens/Search/Search.tsx:111
+#: src/view/screens/Search/Search.tsx:115
msgid "Error:"
msgstr "錯誤:"
@@ -1662,11 +1518,11 @@ msgstr "所有人"
#: src/lib/moderation/useReportOptions.ts:66
msgid "Excessive mentions or replies"
-msgstr ""
+msgstr "過多的提及或回覆"
#: src/view/com/modals/DeleteAccount.tsx:230
msgid "Exits account deletion process"
-msgstr ""
+msgstr "離開帐户删除流程"
#: src/view/com/modals/ChangeHandle.tsx:151
msgid "Exits handle change process"
@@ -1674,7 +1530,7 @@ msgstr "離開修改帳號代碼流程"
#: src/view/com/modals/crop-image/CropImage.web.tsx:136
msgid "Exits image cropping process"
-msgstr ""
+msgstr "離開圖片裁剪流程"
#: src/view/com/lightbox/Lightbox.web.tsx:130
msgid "Exits image view"
@@ -1685,33 +1541,29 @@ msgstr "離開圖片檢視器"
msgid "Exits inputting search query"
msgstr "離開搜尋字詞輸入"
-#: src/view/com/modals/Waitlist.tsx:138
-#~ msgid "Exits signing up for waitlist with {email}"
-#~ msgstr "將 {email} 從候補列表中移除"
-
#: src/view/com/lightbox/Lightbox.web.tsx:183
msgid "Expand alt text"
msgstr "展開替代文字"
-#: src/view/com/composer/ComposerReplyTo.tsx:81
-#: src/view/com/composer/ComposerReplyTo.tsx:84
+#: src/view/com/composer/ComposerReplyTo.tsx:82
+#: src/view/com/composer/ComposerReplyTo.tsx:85
msgid "Expand or collapse the full post you are replying to"
msgstr "展開或摺疊你要回覆的完整貼文"
#: src/lib/moderation/useGlobalLabelStrings.ts:47
msgid "Explicit or potentially disturbing media."
-msgstr ""
+msgstr "露骨或可能令人不安的媒體內容。"
#: src/lib/moderation/useGlobalLabelStrings.ts:35
msgid "Explicit sexual images."
-msgstr ""
+msgstr "露骨的情色內容圖片。"
-#: src/view/screens/Settings/index.tsx:777
+#: src/view/screens/Settings/index.tsx:741
msgid "Export my data"
msgstr "匯出我的資料"
#: src/view/screens/Settings/ExportCarDialog.tsx:44
-#: src/view/screens/Settings/index.tsx:788
+#: src/view/screens/Settings/index.tsx:752
msgid "Export My Data"
msgstr "匯出我的資料"
@@ -1727,11 +1579,11 @@ msgstr "外部媒體可能允許網站收集有關你和你裝置的信息。在
#: src/Navigation.tsx:275
#: src/view/screens/PreferencesExternalEmbeds.tsx:52
-#: src/view/screens/Settings/index.tsx:677
+#: src/view/screens/Settings/index.tsx:628
msgid "External Media Preferences"
-msgstr "外部媒體偏好設定"
+msgstr "外部媒體設定偏好"
-#: src/view/screens/Settings/index.tsx:668
+#: src/view/screens/Settings/index.tsx:619
msgid "External media settings"
msgstr "外部媒體設定"
@@ -1744,18 +1596,18 @@ msgstr "建立應用程式專用密碼失敗。"
msgid "Failed to create the list. Check your internet connection and try again."
msgstr "無法建立列表。請檢查你的網路連線並重試。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:125
+#: src/view/com/util/forms/PostDropdownBtn.tsx:131
msgid "Failed to delete post, please try again"
msgstr "無法刪除貼文,請重試"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:109
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:141
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:110
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:143
msgid "Failed to load recommended feeds"
msgstr "無法載入推薦訊息流"
#: src/view/com/lightbox/Lightbox.tsx:83
msgid "Failed to save image: {0}"
-msgstr ""
+msgstr "無法儲存圖片:{0}"
#: src/Navigation.tsx:196
msgid "Feed"
@@ -1765,39 +1617,31 @@ msgstr "訊息流"
msgid "Feed by {0}"
msgstr "{0} 建立的訊息流"
-#: src/view/screens/Feeds.tsx:605
+#: src/view/screens/Feeds.tsx:630
msgid "Feed offline"
msgstr "訊息流已離線"
-#: src/view/com/feeds/FeedPage.tsx:143
-#~ msgid "Feed Preferences"
-#~ msgstr "訊息流偏好設定"
-
#: src/view/shell/desktop/RightNav.tsx:61
-#: src/view/shell/Drawer.tsx:314
+#: src/view/shell/Drawer.tsx:320
msgid "Feedback"
msgstr "意見回饋"
-#: src/Navigation.tsx:464
-#: src/view/screens/Feeds.tsx:419
-#: src/view/screens/Feeds.tsx:524
-#: src/view/screens/Profile.tsx:194
-#: src/view/shell/bottom-bar/BottomBar.tsx:191
+#: src/Navigation.tsx:456
+#: src/view/screens/Feeds.tsx:444
+#: src/view/screens/Feeds.tsx:549
+#: src/view/screens/Profile.tsx:199
+#: src/view/shell/bottom-bar/BottomBar.tsx:192
#: src/view/shell/desktop/LeftNav.tsx:346
-#: src/view/shell/Drawer.tsx:479
-#: src/view/shell/Drawer.tsx:480
+#: src/view/shell/Drawer.tsx:485
+#: src/view/shell/Drawer.tsx:486
msgid "Feeds"
msgstr "訊息流"
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:106
-#~ msgid "Feeds are created by users and organizations. They offer you varied experiences and suggest content you may like using algorithms."
-#~ msgstr "訊息流由使用者和組織建立,結合演算法為你推薦可能喜歡的內容,可為你帶來不一樣的體驗。"
-
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:57
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:58
msgid "Feeds are created by users to curate content. Choose some feeds that you find interesting."
msgstr "訊息流由使用者建立並管理。選擇一些你覺得有趣的訊息流。"
-#: src/view/screens/SavedFeeds.tsx:156
+#: src/view/screens/SavedFeeds.tsx:157
msgid "Feeds are custom algorithms that users build with a little coding expertise. <0/> for more information."
msgstr "訊息流是使用者用一點程式技能建立的自訂演算法。更多資訊請見 <0/>。"
@@ -1807,11 +1651,11 @@ msgstr "訊息流也可以圍繞某些話題!"
#: src/view/com/modals/ChangeHandle.tsx:481
msgid "File Contents"
-msgstr ""
+msgstr "檔案內容"
#: src/lib/moderation/useLabelBehaviorDescription.ts:66
msgid "Filter from feeds"
-msgstr ""
+msgstr "從訊息流中篩選"
#: src/screens/Onboarding/StepFinished.tsx:155
msgid "Finalizing"
@@ -1823,11 +1667,11 @@ msgstr "最終確定"
msgid "Find accounts to follow"
msgstr "尋找一些要跟隨的帳號"
-#: src/view/screens/Search/Search.tsx:442
+#: src/view/screens/Search/Search.tsx:589
msgid "Find users on Bluesky"
msgstr "在 Bluesky 上尋找使用者"
-#: src/view/screens/Search/Search.tsx:440
+#: src/view/screens/Search/Search.tsx:587
msgid "Find users with the search tool on the right"
msgstr "使用右側的搜尋工具尋找使用者"
@@ -1837,11 +1681,7 @@ msgstr "正在尋找相似的帳號…"
#: src/view/screens/PreferencesFollowingFeed.tsx:111
msgid "Fine-tune the content you see on your Following feed."
-msgstr ""
-
-#: src/view/screens/PreferencesHomeFeed.tsx:111
-#~ msgid "Fine-tune the content you see on your home screen."
-#~ msgstr "調整你在首頁上所看到的內容。"
+msgstr "調整你在跟隨訊息流上所看到的內容。"
#: src/view/screens/PreferencesThreads.tsx:60
msgid "Fine-tune the discussion threads."
@@ -1865,10 +1705,10 @@ msgid "Flip vertically"
msgstr "垂直翻轉"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:189
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:236
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:235
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:146
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Follow"
msgstr "跟隨"
@@ -1894,17 +1734,17 @@ msgstr "跟隨所有"
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:144
msgid "Follow Back"
-msgstr ""
+msgstr "回追蹤"
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:182
msgid "Follow selected accounts and continue to the next step"
msgstr "跟隨選擇的使用者並繼續下一步"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:64
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:65
msgid "Follow some users to get started. We can recommend you more users based on who you find interesting."
msgstr "跟隨一些使用者以開始,我們可以根據你感興趣的使用者向你推薦更多相似使用者。"
-#: src/view/com/profile/ProfileCard.tsx:216
+#: src/view/com/profile/ProfileCard.tsx:219
msgid "Followed by {0}"
msgstr "由 {0} 跟隨"
@@ -1916,7 +1756,7 @@ msgstr "已跟隨的使用者"
msgid "Followed users only"
msgstr "僅限已跟隨的使用者"
-#: src/view/com/notifications/FeedItem.tsx:170
+#: src/view/com/notifications/FeedItem.tsx:172
msgid "followed you"
msgstr "已跟隨"
@@ -1925,7 +1765,7 @@ msgstr "已跟隨"
msgid "Followers"
msgstr "跟隨者"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:234
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:233
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:149
#: src/view/com/profile/ProfileFollows.tsx:104
#: src/view/screens/ProfileFollows.tsx:25
@@ -1936,23 +1776,23 @@ msgstr "跟隨中"
msgid "Following {0}"
msgstr "跟隨中:{0}"
-#: src/view/screens/Settings/index.tsx:553
+#: src/view/screens/Settings/index.tsx:504
msgid "Following feed preferences"
-msgstr ""
+msgstr "跟隨訊息流設定偏好"
#: src/Navigation.tsx:262
-#: src/view/com/home/HomeHeaderLayout.web.tsx:50
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:84
+#: src/view/com/home/HomeHeaderLayout.web.tsx:54
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:87
#: src/view/screens/PreferencesFollowingFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:562
+#: src/view/screens/Settings/index.tsx:513
msgid "Following Feed Preferences"
-msgstr ""
+msgstr "跟隨訊息流設定偏好"
#: src/screens/Profile/Header/Handle.tsx:24
msgid "Follows you"
msgstr "跟隨你"
-#: src/view/com/profile/ProfileCard.tsx:141
+#: src/view/com/profile/ProfileCard.tsx:144
msgid "Follows You"
msgstr "跟隨你"
@@ -1968,14 +1808,6 @@ msgstr "為了保護你的帳號安全,我們需要將驗證碼發送到你的
msgid "For security reasons, you won't be able to view this again. If you lose this password, you'll need to generate a new one."
msgstr "為了保護你的帳號安全,你將無法再次查看此內容。如果你丟失了此密碼,你將需要產生一個新密碼。"
-#: src/view/com/auth/login/LoginForm.tsx:244
-#~ msgid "Forgot"
-#~ msgstr "忘記"
-
-#: src/view/com/auth/login/LoginForm.tsx:241
-#~ msgid "Forgot password"
-#~ msgstr "忘記密碼"
-
#: src/screens/Login/index.tsx:129
#: src/screens/Login/index.tsx:144
msgid "Forgot Password"
@@ -1983,22 +1815,22 @@ msgstr "忘記密碼"
#: src/screens/Login/LoginForm.tsx:201
msgid "Forgot password?"
-msgstr ""
+msgstr "忘記密碼?"
#: src/screens/Login/LoginForm.tsx:212
msgid "Forgot?"
-msgstr ""
+msgstr "忘記?"
#: src/lib/moderation/useReportOptions.ts:52
msgid "Frequently Posts Unwanted Content"
-msgstr ""
+msgstr "經常發佈無關內容"
#: src/screens/Hashtag.tsx:109
#: src/screens/Hashtag.tsx:149
msgid "From @{sanitizedAuthor}"
-msgstr ""
+msgstr "來自 @{sanitizedAuthor}"
-#: src/view/com/posts/FeedItem.tsx:179
+#: src/view/com/posts/FeedItem.tsx:181
msgctxt "from-feed"
msgid "From <0/>"
msgstr "來自 <0/>"
@@ -2014,7 +1846,7 @@ msgstr "開始"
#: src/lib/moderation/useReportOptions.ts:37
msgid "Glaring violations of law or terms of service"
-msgstr ""
+msgstr "明顯違反法律或服務條款"
#: src/components/moderation/ScreenHider.tsx:151
#: src/components/moderation/ScreenHider.tsx:160
@@ -2022,7 +1854,7 @@ msgstr ""
#: src/view/com/auth/LoggedOut.tsx:83
#: src/view/screens/NotFound.tsx:55
#: src/view/screens/ProfileFeed.tsx:112
-#: src/view/screens/ProfileList.tsx:916
+#: src/view/screens/ProfileList.tsx:918
#: src/view/shell/desktop/LeftNav.tsx:108
msgid "Go back"
msgstr "返回"
@@ -2032,27 +1864,27 @@ msgstr "返回"
#: src/screens/Profile/ErrorState.tsx:66
#: src/view/screens/NotFound.tsx:54
#: src/view/screens/ProfileFeed.tsx:117
-#: src/view/screens/ProfileList.tsx:921
+#: src/view/screens/ProfileList.tsx:923
msgid "Go Back"
msgstr "返回"
#: src/components/ReportDialog/SelectReportOptionView.tsx:73
-#: src/components/ReportDialog/SubmitView.tsx:104
+#: src/components/ReportDialog/SubmitView.tsx:102
#: src/screens/Onboarding/Layout.tsx:102
#: src/screens/Onboarding/Layout.tsx:191
-#: src/screens/Signup/index.tsx:173
+#: src/screens/Signup/index.tsx:174
msgid "Go back to previous step"
msgstr "返回上一步"
#: src/view/screens/NotFound.tsx:55
msgid "Go home"
-msgstr ""
+msgstr "前往首頁"
#: src/view/screens/NotFound.tsx:54
msgid "Go Home"
-msgstr ""
+msgstr "前往首頁"
-#: src/view/screens/Search/Search.tsx:749
+#: src/view/screens/Search/Search.tsx:896
#: src/view/shell/desktop/Search.tsx:263
msgid "Go to @{queryMaybeHandle}"
msgstr "前往 @{queryMaybeHandle}"
@@ -2064,7 +1896,7 @@ msgstr "前往下一步"
#: src/lib/moderation/useGlobalLabelStrings.ts:46
msgid "Graphic Media"
-msgstr ""
+msgstr "平面媒體"
#: src/view/com/modals/ChangeHandle.tsx:266
msgid "Handle"
@@ -2072,26 +1904,22 @@ msgstr "帳號代碼"
#: src/lib/moderation/useReportOptions.ts:32
msgid "Harassment, trolling, or intolerance"
-msgstr ""
+msgstr "騷擾、惡作劇或其他無法容忍的行為"
#: src/Navigation.tsx:282
msgid "Hashtag"
-msgstr ""
+msgstr "標籤"
-#: src/components/RichText.tsx:188
-#~ msgid "Hashtag: {tag}"
-#~ msgstr ""
-
-#: src/components/RichText.tsx:191
+#: src/components/RichText.tsx:197
msgid "Hashtag: #{tag}"
-msgstr ""
+msgstr "標籤:#{tag}"
-#: src/screens/Signup/index.tsx:217
+#: src/screens/Signup/index.tsx:221
msgid "Having trouble?"
msgstr "遇到問題?"
#: src/view/shell/desktop/RightNav.tsx:90
-#: src/view/shell/Drawer.tsx:324
+#: src/view/shell/Drawer.tsx:330
msgid "Help"
msgstr "幫助"
@@ -2105,7 +1933,7 @@ msgstr "這裡有一些熱門的話題訊息流。跟隨的訊息流數量沒有
#: src/screens/Onboarding/StepTopicalFeeds.tsx:84
msgid "Here are some topical feeds based on your interests: {interestsText}. You can choose to follow as many as you like."
-msgstr "這裡有一些根據您的興趣({interestsText})所推薦的熱門的話題訊息流。跟隨的訊息流數量沒有限制。"
+msgstr "這裡有一些根據你的興趣({interestsText})所推薦的熱門的話題訊息流。跟隨的訊息流數量沒有限制。"
#: src/view/com/modals/AddAppPasswords.tsx:154
msgid "Here is your app password."
@@ -2120,17 +1948,17 @@ msgstr "這是你的應用程式專用密碼。"
#: src/lib/moderation/useLabelBehaviorDescription.ts:30
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:52
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:76
-#: src/view/com/util/forms/PostDropdownBtn.tsx:328
+#: src/view/com/util/forms/PostDropdownBtn.tsx:350
msgid "Hide"
msgstr "隱藏"
-#: src/view/com/notifications/FeedItem.tsx:329
+#: src/view/com/notifications/FeedItem.tsx:331
msgctxt "action"
msgid "Hide"
msgstr "隱藏"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:276
-#: src/view/com/util/forms/PostDropdownBtn.tsx:278
+#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:296
msgid "Hide post"
msgstr "隱藏貼文"
@@ -2139,18 +1967,14 @@ msgstr "隱藏貼文"
msgid "Hide the content"
msgstr "隱藏內容"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:325
+#: src/view/com/util/forms/PostDropdownBtn.tsx:347
msgid "Hide this post?"
msgstr "隱藏這則貼文?"
-#: src/view/com/notifications/FeedItem.tsx:319
+#: src/view/com/notifications/FeedItem.tsx:321
msgid "Hide user list"
msgstr "隱藏使用者列表"
-#: src/view/com/profile/ProfileHeader.tsx:487
-#~ msgid "Hides posts from {0} in your feed"
-#~ msgstr "在你的訂閱中隱藏來自 {0} 的貼文"
-
#: src/view/com/posts/FeedErrorMessage.tsx:111
msgid "Hmm, some kind of issue occurred when contacting the feed server. Please let the feed owner know about this issue."
msgstr "唔,與訊息流伺服器連線時發生了某種問題。請告訴該訊息流的擁有者這個問題。"
@@ -2173,30 +1997,23 @@ msgstr "唔,我們無法找到這個訊息流,它可能已被刪除。"
#: src/screens/Moderation/index.tsx:59
msgid "Hmmmm, it seems we're having trouble loading this data. See below for more details. If this issue persists, please contact us."
-msgstr ""
+msgstr "唔,看起來我們在載入這些資料時遇到了問題,詳情請參閱下方。如果問題持續存在,請聯絡我們。"
#: src/screens/Profile/ErrorState.tsx:31
msgid "Hmmmm, we couldn't load that moderation service."
-msgstr ""
+msgstr "唔,我們無法載入該限制服務"
-#: src/Navigation.tsx:454
-#: src/view/shell/bottom-bar/BottomBar.tsx:147
+#: src/Navigation.tsx:446
+#: src/view/shell/bottom-bar/BottomBar.tsx:148
#: src/view/shell/desktop/LeftNav.tsx:310
-#: src/view/shell/Drawer.tsx:401
-#: src/view/shell/Drawer.tsx:402
+#: src/view/shell/Drawer.tsx:407
+#: src/view/shell/Drawer.tsx:408
msgid "Home"
msgstr "首頁"
-#: src/Navigation.tsx:247
-#: src/view/com/pager/FeedsTabBarMobile.tsx:123
-#: src/view/screens/PreferencesHomeFeed.tsx:104
-#: src/view/screens/Settings/index.tsx:543
-#~ msgid "Home Feed Preferences"
-#~ msgstr "首頁訊息流偏好"
-
#: src/view/com/modals/ChangeHandle.tsx:420
msgid "Host:"
-msgstr ""
+msgstr "主機:"
#: src/screens/Login/ForgotPasswordForm.tsx:89
#: src/screens/Login/LoginForm.tsx:134
@@ -2231,15 +2048,15 @@ msgstr "若不勾選,則預設為全年齡向。"
#: src/screens/Signup/StepInfo/Policies.tsx:83
msgid "If you are not yet an adult according to the laws of your country, your parent or legal guardian must read these Terms on your behalf."
-msgstr ""
+msgstr "如果根據你所在國家的法律,你尚未成年,則你的父母或法定監護人必須代表你閱讀這些條款。"
-#: src/view/screens/ProfileList.tsx:610
+#: src/view/screens/ProfileList.tsx:612
msgid "If you delete this list, you won't be able to recover it."
-msgstr ""
+msgstr "如果刪除這個列表,你將無法恢復它。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:316
+#: src/view/com/util/forms/PostDropdownBtn.tsx:338
msgid "If you remove this post, you won't be able to recover it."
-msgstr ""
+msgstr "如果刪除這則貼文,你將無法恢復它。"
#: src/view/com/modals/ChangePassword.tsx:148
msgid "If you want to change your password, we will send you a code to verify that this is your account."
@@ -2247,7 +2064,7 @@ msgstr "如果你想更改密碼,我們將向你發送一個驗證碼以確認
#: src/lib/moderation/useReportOptions.ts:36
msgid "Illegal and Urgent"
-msgstr ""
+msgstr "違法"
#: src/view/com/util/images/Gallery.tsx:38
msgid "Image"
@@ -2257,14 +2074,9 @@ msgstr "圖片"
msgid "Image alt text"
msgstr "圖片替代文字"
-#: src/view/com/util/UserAvatar.tsx:311
-#: src/view/com/util/UserBanner.tsx:118
-#~ msgid "Image options"
-#~ msgstr "圖片選項"
-
#: src/lib/moderation/useReportOptions.ts:47
msgid "Impersonation or false claims about identity or affiliation"
-msgstr ""
+msgstr "冒充或虛假聲明身份或隸屬關係"
#: src/screens/Login/SetNewPasswordForm.tsx:127
msgid "Input code sent to your email for password reset"
@@ -2274,14 +2086,6 @@ msgstr "輸入發送到你電子郵件地址的重設碼以重設密碼"
msgid "Input confirmation code for account deletion"
msgstr "輸入刪除帳號的驗證碼"
-#: src/view/com/auth/create/Step1.tsx:177
-#~ msgid "Input email for Bluesky account"
-#~ msgstr "輸入 Bluesky 帳號的電子郵件地址"
-
-#: src/view/com/auth/create/Step1.tsx:151
-#~ msgid "Input invite code to proceed"
-#~ msgstr "輸入邀請碼以繼續"
-
#: src/view/com/modals/AddAppPasswords.tsx:181
msgid "Input name for app password"
msgstr "輸入應用程式專用密碼名稱"
@@ -2294,10 +2098,6 @@ msgstr "輸入新密碼"
msgid "Input password for account deletion"
msgstr "輸入密碼以刪除帳號"
-#: src/view/com/auth/create/Step2.tsx:196
-#~ msgid "Input phone number for SMS verification"
-#~ msgstr "輸入手機號碼進行簡訊驗證"
-
#: src/screens/Login/LoginForm.tsx:195
msgid "Input the password tied to {identifier}"
msgstr "輸入與 {identifier} 關聯的密碼"
@@ -2306,23 +2106,15 @@ msgstr "輸入與 {identifier} 關聯的密碼"
msgid "Input the username or email address you used at signup"
msgstr "輸入註冊時使用的使用者名稱或電子郵件地址"
-#: src/view/com/auth/create/Step2.tsx:271
-#~ msgid "Input the verification code we have texted to you"
-#~ msgstr "輸入我們發送到你手機的驗證碼"
-
-#: src/view/com/modals/Waitlist.tsx:90
-#~ msgid "Input your email to get on the Bluesky waitlist"
-#~ msgstr "輸入你的電子郵件地址以加入 Bluesky 候補列表"
-
#: src/screens/Login/LoginForm.tsx:194
msgid "Input your password"
msgstr "輸入你的密碼"
#: src/view/com/modals/ChangeHandle.tsx:389
msgid "Input your preferred hosting provider"
-msgstr ""
+msgstr "輸入你的托管服務提供商"
-#: src/screens/Signup/StepHandle.tsx:62
+#: src/screens/Signup/StepHandle.tsx:63
msgid "Input your user handle"
msgstr "輸入你的帳號代碼"
@@ -2334,10 +2126,6 @@ msgstr "無效或不支援的貼文紀錄"
msgid "Invalid username or password"
msgstr "使用者名稱或密碼無效"
-#: src/view/screens/Settings.tsx:411
-#~ msgid "Invite"
-#~ msgstr "邀請"
-
#: src/view/com/modals/InviteCodes.tsx:94
msgid "Invite a Friend"
msgstr "邀請朋友"
@@ -2354,10 +2142,6 @@ msgstr "邀請碼無效。請檢查你輸入的內容是否正確,然後重試
msgid "Invite codes: {0} available"
msgstr "邀請碼:{0} 個可用"
-#: src/view/shell/Drawer.tsx:645
-#~ msgid "Invite codes: {invitesAvailable} available"
-#~ msgstr "邀請碼:{invitesAvailable} 個可用"
-
#: src/view/com/modals/InviteCodes.tsx:170
msgid "Invite codes: 1 available"
msgstr "邀請碼:1 個可用"
@@ -2366,65 +2150,51 @@ msgstr "邀請碼:1 個可用"
msgid "It shows posts from the people you follow as they happen."
msgstr "它會即時顯示你所跟隨的人發佈的貼文。"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:104
-#: src/view/com/auth/SplashScreen.web.tsx:172
+#: src/view/com/auth/SplashScreen.web.tsx:152
msgid "Jobs"
msgstr "工作"
-#: src/view/com/modals/Waitlist.tsx:67
-#~ msgid "Join the waitlist"
-#~ msgstr "加入候補列表"
-
-#: src/view/com/auth/create/Step1.tsx:174
-#: src/view/com/auth/create/Step1.tsx:178
-#~ msgid "Join the waitlist."
-#~ msgstr "加入候補列表。"
-
-#: src/view/com/modals/Waitlist.tsx:128
-#~ msgid "Join Waitlist"
-#~ msgstr "加入候補列表"
-
#: src/screens/Onboarding/index.tsx:24
msgid "Journalism"
msgstr "新聞學"
#: src/components/moderation/LabelsOnMe.tsx:59
msgid "label has been placed on this {labelTarget}"
-msgstr ""
+msgstr "此標籤已放置於 {labelTarget} 上"
#: src/components/moderation/ContentHider.tsx:144
msgid "Labeled by {0}."
-msgstr ""
+msgstr "由 {0} 標註。"
#: src/components/moderation/ContentHider.tsx:142
msgid "Labeled by the author."
-msgstr ""
+msgstr "由作者標註。"
-#: src/view/screens/Profile.tsx:188
+#: src/view/screens/Profile.tsx:193
msgid "Labels"
-msgstr ""
+msgstr "標籤"
-#: src/screens/Profile/Sections/Labels.tsx:142
+#: src/screens/Profile/Sections/Labels.tsx:153
msgid "Labels are annotations on users and content. They can be used to hide, warn, and categorize the network."
-msgstr ""
+msgstr "標籤是對使用者和內容的標註,可用於隱藏、警告和對網路進行分類。"
#: src/components/moderation/LabelsOnMe.tsx:61
msgid "labels have been placed on this {labelTarget}"
-msgstr ""
+msgstr "此標籤已放置於 {labelTarget} 上"
#: src/components/moderation/LabelsOnMeDialog.tsx:62
msgid "Labels on your account"
-msgstr ""
+msgstr "你帳戶上的標籤"
#: src/components/moderation/LabelsOnMeDialog.tsx:64
msgid "Labels on your content"
-msgstr ""
+msgstr "你內容上的標籤"
#: src/view/com/composer/select-language/SelectLangBtn.tsx:104
msgid "Language selection"
msgstr "語言選擇"
-#: src/view/screens/Settings/index.tsx:614
+#: src/view/screens/Settings/index.tsx:565
msgid "Language settings"
msgstr "語言設定"
@@ -2433,17 +2203,13 @@ msgstr "語言設定"
msgid "Language Settings"
msgstr "語言設定"
-#: src/view/screens/Settings/index.tsx:623
+#: src/view/screens/Settings/index.tsx:574
msgid "Languages"
msgstr "語言"
-#: src/view/com/auth/create/StepHeader.tsx:20
-#~ msgid "Last step!"
-#~ msgstr "最後一步!"
-
-#: src/view/com/util/moderation/ContentHider.tsx:103
-#~ msgid "Learn more"
-#~ msgstr "瞭解詳情"
+#: src/view/screens/Search/Search.tsx:437
+msgid "Latest"
+msgstr ""
#: src/components/moderation/ScreenHider.tsx:136
msgid "Learn More"
@@ -2452,7 +2218,7 @@ msgstr "瞭解詳情"
#: src/components/moderation/ContentHider.tsx:65
#: src/components/moderation/ContentHider.tsx:128
msgid "Learn more about the moderation applied to this content."
-msgstr ""
+msgstr "詳細了解套用於此內容的限制。"
#: src/components/moderation/PostHider.tsx:85
#: src/components/moderation/ScreenHider.tsx:125
@@ -2479,7 +2245,7 @@ msgstr "離開 Bluesky"
msgid "left to go."
msgstr "尚未完成。"
-#: src/view/screens/Settings/index.tsx:296
+#: src/view/screens/Settings/index.tsx:299
msgid "Legacy storage cleared, you need to restart the app now."
msgstr "舊儲存資料已清除,你需要立即重新啟動應用程式。"
@@ -2492,21 +2258,16 @@ msgstr "讓我們來重設你的密碼吧!"
msgid "Let's go!"
msgstr "讓我們開始吧!"
-#: src/view/com/util/UserAvatar.tsx:248
-#: src/view/com/util/UserBanner.tsx:62
-#~ msgid "Library"
-#~ msgstr "圖片庫"
-
-#: src/view/screens/Settings/index.tsx:498
+#: src/view/screens/Settings/index.tsx:449
msgid "Light"
msgstr "亮色"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Like"
msgstr "喜歡"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:258
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:264
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Like this feed"
msgstr "喜歡這個訊息流"
@@ -2528,23 +2289,23 @@ msgstr "{0} 個 {1} 喜歡"
#: src/components/LabelingServiceCard/index.tsx:72
msgid "Liked by {count} {0}"
-msgstr ""
+msgstr "{count} 個 {0} 喜歡"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:278
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:292
-#: src/view/screens/ProfileFeed.tsx:588
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:284
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:298
+#: src/view/screens/ProfileFeed.tsx:600
msgid "Liked by {likeCount} {0}"
msgstr "{likeCount} 個 {0} 喜歡"
-#: src/view/com/notifications/FeedItem.tsx:174
+#: src/view/com/notifications/FeedItem.tsx:176
msgid "liked your custom feed"
msgstr "喜歡你的自訂訊息流"
-#: src/view/com/notifications/FeedItem.tsx:159
+#: src/view/com/notifications/FeedItem.tsx:161
msgid "liked your post"
msgstr "喜歡你的貼文"
-#: src/view/screens/Profile.tsx:193
+#: src/view/screens/Profile.tsx:198
msgid "Likes"
msgstr "喜歡"
@@ -2560,7 +2321,7 @@ msgstr "列表"
msgid "List Avatar"
msgstr "列表頭像"
-#: src/view/screens/ProfileList.tsx:311
+#: src/view/screens/ProfileList.tsx:313
msgid "List blocked"
msgstr "列表已封鎖"
@@ -2568,11 +2329,11 @@ msgstr "列表已封鎖"
msgid "List by {0}"
msgstr "列表由 {0} 建立"
-#: src/view/screens/ProfileList.tsx:355
+#: src/view/screens/ProfileList.tsx:357
msgid "List deleted"
msgstr "列表已刪除"
-#: src/view/screens/ProfileList.tsx:283
+#: src/view/screens/ProfileList.tsx:285
msgid "List muted"
msgstr "列表已靜音"
@@ -2580,36 +2341,31 @@ msgstr "列表已靜音"
msgid "List Name"
msgstr "列表名稱"
-#: src/view/screens/ProfileList.tsx:325
+#: src/view/screens/ProfileList.tsx:327
msgid "List unblocked"
msgstr "解除封鎖列表"
-#: src/view/screens/ProfileList.tsx:297
+#: src/view/screens/ProfileList.tsx:299
msgid "List unmuted"
msgstr "解除靜音列表"
#: src/Navigation.tsx:114
-#: src/view/screens/Profile.tsx:189
-#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Profile.tsx:194
+#: src/view/screens/Profile.tsx:200
#: src/view/shell/desktop/LeftNav.tsx:383
-#: src/view/shell/Drawer.tsx:495
-#: src/view/shell/Drawer.tsx:496
+#: src/view/shell/Drawer.tsx:501
+#: src/view/shell/Drawer.tsx:502
msgid "Lists"
msgstr "列表"
-#: src/view/com/post-thread/PostThread.tsx:333
-#: src/view/com/post-thread/PostThread.tsx:341
-#~ msgid "Load more posts"
-#~ msgstr "載入更多貼文"
-
#: src/view/screens/Notifications.tsx:159
msgid "Load new notifications"
msgstr "載入新的通知"
-#: src/screens/Profile/Sections/Feed.tsx:70
+#: src/screens/Profile/Sections/Feed.tsx:86
#: src/view/com/feeds/FeedPage.tsx:138
-#: src/view/screens/ProfileFeed.tsx:496
-#: src/view/screens/ProfileList.tsx:695
+#: src/view/screens/ProfileFeed.tsx:507
+#: src/view/screens/ProfileList.tsx:697
msgid "Load new posts"
msgstr "載入新的貼文"
@@ -2617,10 +2373,6 @@ msgstr "載入新的貼文"
msgid "Loading..."
msgstr "載入中…"
-#: src/view/com/modals/ServerInput.tsx:50
-#~ msgid "Local dev server"
-#~ msgstr "本地開發伺服器"
-
#: src/Navigation.tsx:221
msgid "Log"
msgstr "日誌"
@@ -2642,7 +2394,7 @@ msgstr "登入未列出的帳號"
#: src/screens/Login/SetNewPasswordForm.tsx:116
msgid "Looks like XXXXX-XXXXX"
-msgstr ""
+msgstr "看起來像是 XXXXX-XXXXX"
#: src/view/com/modals/LinkWarning.tsx:79
msgid "Make sure this is where you intend to go!"
@@ -2650,17 +2402,9 @@ msgstr "請確認這是你想要去的的地方!"
#: src/components/dialogs/MutedWords.tsx:82
msgid "Manage your muted words and tags"
-msgstr ""
-
-#: src/view/com/auth/create/Step2.tsx:118
-#~ msgid "May not be longer than 253 characters"
-#~ msgstr ""
+msgstr "管理你靜音的文字和標籤"
-#: src/view/com/auth/create/Step2.tsx:109
-#~ msgid "May only contain letters and numbers"
-#~ msgstr ""
-
-#: src/view/screens/Profile.tsx:192
+#: src/view/screens/Profile.tsx:197
msgid "Media"
msgstr "媒體"
@@ -2673,7 +2417,7 @@ msgid "Mentioned users"
msgstr "提及的使用者"
#: src/view/com/util/ViewHeader.tsx:87
-#: src/view/screens/Search/Search.tsx:648
+#: src/view/screens/Search/Search.tsx:795
msgid "Menu"
msgstr "選單"
@@ -2683,33 +2427,33 @@ msgstr "來自伺服器的訊息:{0}"
#: src/lib/moderation/useReportOptions.ts:45
msgid "Misleading Account"
-msgstr ""
+msgstr "誤導性帳戶"
#: src/Navigation.tsx:119
#: src/screens/Moderation/index.tsx:104
-#: src/view/screens/Settings/index.tsx:645
+#: src/view/screens/Settings/index.tsx:596
#: src/view/shell/desktop/LeftNav.tsx:401
-#: src/view/shell/Drawer.tsx:514
-#: src/view/shell/Drawer.tsx:515
+#: src/view/shell/Drawer.tsx:520
+#: src/view/shell/Drawer.tsx:521
msgid "Moderation"
msgstr "限制"
#: src/components/moderation/ModerationDetailsDialog.tsx:112
msgid "Moderation details"
-msgstr ""
+msgstr "限制詳情"
#: src/view/com/lists/ListCard.tsx:93
#: src/view/com/modals/UserAddRemoveLists.tsx:206
msgid "Moderation list by {0}"
msgstr "{0} 建立的限制列表"
-#: src/view/screens/ProfileList.tsx:789
+#: src/view/screens/ProfileList.tsx:791
msgid "Moderation list by <0/>"
msgstr "0> 建立的限制列表"
#: src/view/com/lists/ListCard.tsx:91
#: src/view/com/modals/UserAddRemoveLists.tsx:204
-#: src/view/screens/ProfileList.tsx:787
+#: src/view/screens/ProfileList.tsx:789
msgid "Moderation list by you"
msgstr "你建立的限制列表"
@@ -2730,93 +2474,77 @@ msgstr "限制列表"
msgid "Moderation Lists"
msgstr "限制列表"
-#: src/view/screens/Settings/index.tsx:639
+#: src/view/screens/Settings/index.tsx:590
msgid "Moderation settings"
msgstr "限制設定"
#: src/Navigation.tsx:216
msgid "Moderation states"
-msgstr ""
+msgstr "限制狀態"
#: src/screens/Moderation/index.tsx:215
msgid "Moderation tools"
-msgstr ""
+msgstr "限制工具"
#: src/components/moderation/ModerationDetailsDialog.tsx:48
#: src/lib/moderation/useModerationCauseDescription.ts:40
msgid "Moderator has chosen to set a general warning on the content."
msgstr "限制選擇對內容設定一般警告。"
-#: src/view/com/post-thread/PostThreadItem.tsx:541
+#: src/view/com/post-thread/PostThreadItem.tsx:535
msgid "More"
-msgstr ""
+msgstr "更多"
#: src/view/shell/desktop/Feeds.tsx:65
msgid "More feeds"
msgstr "更多訊息流"
-#: src/view/screens/ProfileList.tsx:599
+#: src/view/screens/ProfileList.tsx:601
msgid "More options"
msgstr "更多選項"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:315
-#~ msgid "More post options"
-#~ msgstr "更多貼文選項"
-
#: src/view/screens/PreferencesThreads.tsx:82
msgid "Most-liked replies first"
msgstr "最多按喜歡數優先"
-#: src/view/com/auth/create/Step2.tsx:122
-#~ msgid "Must be at least 3 characters"
-#~ msgstr ""
-
#: src/components/TagMenu/index.tsx:249
msgid "Mute"
-msgstr ""
+msgstr "靜音"
#: src/components/TagMenu/index.web.tsx:105
msgid "Mute {truncatedTag}"
-msgstr ""
+msgstr "靜音 {truncatedTag}"
#: src/view/com/profile/ProfileMenu.tsx:279
#: src/view/com/profile/ProfileMenu.tsx:286
msgid "Mute Account"
msgstr "靜音帳號"
-#: src/view/screens/ProfileList.tsx:518
+#: src/view/screens/ProfileList.tsx:520
msgid "Mute accounts"
msgstr "靜音帳號"
#: src/components/TagMenu/index.tsx:209
msgid "Mute all {displayTag} posts"
-msgstr ""
-
-#: src/components/TagMenu/index.tsx:211
-#~ msgid "Mute all {tag} posts"
-#~ msgstr ""
+msgstr "將所有 {displayTag} 貼文靜音"
#: src/components/dialogs/MutedWords.tsx:148
msgid "Mute in tags only"
-msgstr ""
+msgstr "僅在標籤中靜音"
#: src/components/dialogs/MutedWords.tsx:133
msgid "Mute in text & tags"
-msgstr ""
+msgstr "在文字和標籤中靜音"
-#: src/view/screens/ProfileList.tsx:461
-#: src/view/screens/ProfileList.tsx:624
+#: src/view/screens/ProfileList.tsx:463
+#: src/view/screens/ProfileList.tsx:626
msgid "Mute list"
msgstr "靜音列表"
-#: src/view/screens/ProfileList.tsx:619
+#: src/view/screens/ProfileList.tsx:621
msgid "Mute these accounts?"
msgstr "靜音這些帳號?"
-#: src/view/screens/ProfileList.tsx:279
-#~ msgid "Mute this List"
-#~ msgstr "靜音這個列表"
-
#: src/components/dialogs/MutedWords.tsx:126
msgid "Mute this word in post text and tags"
msgstr "在帖子文本和话题标签中隐藏该词"
@@ -2825,15 +2553,15 @@ msgstr "在帖子文本和话题标签中隐藏该词"
msgid "Mute this word in tags only"
msgstr "仅在话题标签中隐藏该词"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:257
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:275
msgid "Mute thread"
msgstr "靜音對話串"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:267
-#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:285
+#: src/view/com/util/forms/PostDropdownBtn.tsx:287
msgid "Mute words & tags"
-msgstr ""
+msgstr "靜音文字和標籤"
#: src/view/com/lists/ListCard.tsx:102
msgid "Muted"
@@ -2844,23 +2572,23 @@ msgid "Muted accounts"
msgstr "已靜音帳號"
#: src/Navigation.tsx:129
-#: src/view/screens/ModerationMutedAccounts.tsx:107
+#: src/view/screens/ModerationMutedAccounts.tsx:112
msgid "Muted Accounts"
msgstr "已靜音帳號"
-#: src/view/screens/ModerationMutedAccounts.tsx:115
+#: src/view/screens/ModerationMutedAccounts.tsx:120
msgid "Muted accounts have their posts removed from your feed and from your notifications. Mutes are completely private."
msgstr "已靜音的帳號將不會在你的通知或時間線中顯示,被靜音的帳號將不會收到通知。"
#: src/lib/moderation/useModerationCauseDescription.ts:85
msgid "Muted by \"{0}\""
-msgstr ""
+msgstr "被\"{0}\"靜音"
#: src/screens/Moderation/index.tsx:231
msgid "Muted words & tags"
-msgstr ""
+msgstr "已靜音文字和標籤"
-#: src/view/screens/ProfileList.tsx:621
+#: src/view/screens/ProfileList.tsx:623
msgid "Muting is private. Muted accounts can interact with you, but you will not see their posts or receive notifications from them."
msgstr "封鎖是私人的。被封鎖的帳號可以與你互動,但你將無法看到他們的貼文或收到來自他們的通知。"
@@ -2869,7 +2597,7 @@ msgstr "封鎖是私人的。被封鎖的帳號可以與你互動,但你將無
msgid "My Birthday"
msgstr "我的生日"
-#: src/view/screens/Feeds.tsx:663
+#: src/view/screens/Feeds.tsx:688
msgid "My Feeds"
msgstr "自定訊息流"
@@ -2877,18 +2605,14 @@ msgstr "自定訊息流"
msgid "My Profile"
msgstr "我的個人資料"
-#: src/view/screens/Settings/index.tsx:596
+#: src/view/screens/Settings/index.tsx:547
msgid "My saved feeds"
msgstr "我儲存的訊息流"
-#: src/view/screens/Settings/index.tsx:602
+#: src/view/screens/Settings/index.tsx:553
msgid "My Saved Feeds"
msgstr "我儲存的訊息流"
-#: src/view/com/auth/server-input/index.tsx:118
-#~ msgid "my-server.com"
-#~ msgstr "my-server.com"
-
#: src/view/com/modals/AddAppPasswords.tsx:180
#: src/view/com/modals/CreateOrEditList.tsx:291
msgid "Name"
@@ -2902,14 +2626,14 @@ msgstr "名稱是必填項"
#: src/lib/moderation/useReportOptions.ts:78
#: src/lib/moderation/useReportOptions.ts:86
msgid "Name or Description Violates Community Standards"
-msgstr ""
+msgstr "名稱或描述違反社群標準"
#: src/screens/Onboarding/index.tsx:25
msgid "Nature"
msgstr "自然"
#: src/screens/Login/ForgotPasswordForm.tsx:173
-#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:255
#: src/view/com/modals/ChangePassword.tsx:168
msgid "Navigates to the next screen"
msgstr "切換到下一畫面"
@@ -2918,14 +2642,9 @@ msgstr "切換到下一畫面"
msgid "Navigates to your profile"
msgstr "切換到你的個人檔案"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:122
+#: src/components/ReportDialog/SelectReportOptionView.tsx:123
msgid "Need to report a copyright violation?"
-msgstr ""
-
-#: src/view/com/modals/EmbedConsent.tsx:107
-#: src/view/com/modals/EmbedConsent.tsx:123
-#~ msgid "Never load embeds from {0}"
-#~ msgstr "永不載入來自 {0} 的嵌入內容"
+msgstr "需要檢舉侵權嗎?"
#: src/view/com/auth/onboarding/WelcomeDesktop.tsx:72
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:74
@@ -2936,13 +2655,9 @@ msgstr "永遠不會失去對你的跟隨者和資料的存取權。"
msgid "Never lose access to your followers or data."
msgstr "永遠不會失去對你的跟隨者或資料的存取權。"
-#: src/components/dialogs/MutedWords.tsx:293
-#~ msgid "Nevermind"
-#~ msgstr ""
-
#: src/view/com/modals/ChangeHandle.tsx:519
msgid "Nevermind, create a handle for me"
-msgstr ""
+msgstr "沒關係,為我創建一個帳號代碼"
#: src/view/screens/Lists.tsx:76
msgctxt "action"
@@ -2970,12 +2685,12 @@ msgctxt "action"
msgid "New post"
msgstr "新貼文"
-#: src/view/screens/Feeds.tsx:555
+#: src/view/screens/Feeds.tsx:580
#: src/view/screens/Notifications.tsx:168
-#: src/view/screens/Profile.tsx:452
-#: src/view/screens/ProfileFeed.tsx:434
-#: src/view/screens/ProfileList.tsx:199
-#: src/view/screens/ProfileList.tsx:227
+#: src/view/screens/Profile.tsx:480
+#: src/view/screens/ProfileFeed.tsx:445
+#: src/view/screens/ProfileList.tsx:200
+#: src/view/screens/ProfileList.tsx:228
#: src/view/shell/desktop/LeftNav.tsx:252
msgid "New post"
msgstr "新貼文"
@@ -2999,12 +2714,12 @@ msgstr "新聞"
#: src/screens/Login/ForgotPasswordForm.tsx:143
#: src/screens/Login/ForgotPasswordForm.tsx:150
-#: src/screens/Login/LoginForm.tsx:253
-#: src/screens/Login/LoginForm.tsx:260
+#: src/screens/Login/LoginForm.tsx:254
+#: src/screens/Login/LoginForm.tsx:261
#: src/screens/Login/SetNewPasswordForm.tsx:174
#: src/screens/Login/SetNewPasswordForm.tsx:180
-#: src/screens/Signup/index.tsx:205
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:79
+#: src/screens/Signup/index.tsx:207
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:80
#: src/view/com/modals/ChangePassword.tsx:253
#: src/view/com/modals/ChangePassword.tsx:255
msgid "Next"
@@ -3028,22 +2743,22 @@ msgstr "下一張圖片"
msgid "No"
msgstr "關"
-#: src/view/screens/ProfileFeed.tsx:562
-#: src/view/screens/ProfileList.tsx:769
+#: src/view/screens/ProfileFeed.tsx:574
+#: src/view/screens/ProfileList.tsx:771
msgid "No description"
msgstr "沒有描述"
#: src/view/com/modals/ChangeHandle.tsx:405
msgid "No DNS Panel"
-msgstr ""
+msgstr "無 DNS 控制台"
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:118
msgid "No longer following {0}"
msgstr "不再跟隨 {0}"
-#: src/screens/Signup/StepHandle.tsx:114
+#: src/screens/Signup/StepHandle.tsx:115
msgid "No longer than 253 characters"
-msgstr ""
+msgstr "不超過 253 個字符"
#: src/view/com/notifications/Feed.tsx:109
msgid "No notifications yet!"
@@ -3058,13 +2773,13 @@ msgstr "沒有結果"
msgid "No results found"
msgstr "未找到結果"
-#: src/view/screens/Feeds.tsx:495
+#: src/view/screens/Feeds.tsx:520
msgid "No results found for \"{query}\""
msgstr "未找到「{query}」的結果"
#: src/view/com/modals/ListAddRemoveUsers.tsx:127
-#: src/view/screens/Search/Search.tsx:283
-#: src/view/screens/Search/Search.tsx:311
+#: src/view/screens/Search/Search.tsx:349
+#: src/view/screens/Search/Search.tsx:387
msgid "No results found for {query}"
msgstr "未找到 {query} 的結果"
@@ -3080,18 +2795,18 @@ msgstr "沒有人"
#: src/components/LikedByList.tsx:79
#: src/components/LikesDialog.tsx:99
msgid "Nobody has liked this yet. Maybe you should be the first!"
-msgstr ""
+msgstr "還沒有人喜歡這個,也許你應該成為第一個!"
#: src/lib/moderation/useGlobalLabelStrings.ts:42
msgid "Non-sexual Nudity"
-msgstr ""
+msgstr "非情色內容裸體"
#: src/view/com/modals/SelfLabel.tsx:135
msgid "Not Applicable."
msgstr "不適用。"
#: src/Navigation.tsx:109
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Not Found"
msgstr "未找到"
@@ -3101,22 +2816,22 @@ msgid "Not right now"
msgstr "暫時不需要"
#: src/view/com/profile/ProfileMenu.tsx:368
-#: src/view/com/util/forms/PostDropdownBtn.tsx:342
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:246
+#: src/view/com/util/forms/PostDropdownBtn.tsx:364
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
msgid "Note about sharing"
-msgstr ""
+msgstr "關於分享的注意事項"
#: src/screens/Moderation/index.tsx:540
msgid "Note: Bluesky is an open and public network. This setting only limits the visibility of your content on the Bluesky app and website, and other apps may not respect this setting. Your content may still be shown to logged-out users by other apps and websites."
msgstr "注意:Bluesky 是一個開放且公開的網路。此設定僅限制你在 Bluesky 應用程式和網站上的內容可見性,其他應用程式可能不尊重此設定。你的內容仍可能由其他應用程式和網站顯示給未登入的使用者。"
-#: src/Navigation.tsx:469
+#: src/Navigation.tsx:461
#: src/view/screens/Notifications.tsx:124
#: src/view/screens/Notifications.tsx:148
-#: src/view/shell/bottom-bar/BottomBar.tsx:215
+#: src/view/shell/bottom-bar/BottomBar.tsx:216
#: src/view/shell/desktop/LeftNav.tsx:365
-#: src/view/shell/Drawer.tsx:438
-#: src/view/shell/Drawer.tsx:439
+#: src/view/shell/Drawer.tsx:444
+#: src/view/shell/Drawer.tsx:445
msgid "Notifications"
msgstr "通知"
@@ -3126,19 +2841,15 @@ msgstr "裸露"
#: src/lib/moderation/useReportOptions.ts:71
msgid "Nudity or adult content not labeled as such"
-msgstr ""
-
-#: src/lib/moderation/useReportOptions.ts:71
-#~ msgid "Nudity or pornography not labeled as such"
-#~ msgstr ""
+msgstr "未貼上此類標籤的裸露或成人內容"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "of"
-msgstr ""
+msgstr "of"
#: src/lib/moderation/useLabelBehaviorDescription.ts:11
msgid "Off"
-msgstr ""
+msgstr "顯示"
#: src/view/com/util/ErrorBoundary.tsx:49
msgid "Oh no!"
@@ -3149,9 +2860,9 @@ msgid "Oh no! Something went wrong."
msgstr "糟糕!發生了一些錯誤。"
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:126
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:333
msgid "OK"
-msgstr ""
+msgstr "好的"
#: src/screens/Login/PasswordUpdatedForm.tsx:44
msgid "Okay"
@@ -3161,7 +2872,7 @@ msgstr "好的"
msgid "Oldest replies first"
msgstr "最舊的回覆優先"
-#: src/view/screens/Settings/index.tsx:244
+#: src/view/screens/Settings/index.tsx:247
msgid "Onboarding reset"
msgstr "重新開始引導流程"
@@ -3173,17 +2884,17 @@ msgstr "至少有一張圖片缺失了替代文字。"
msgid "Only {0} can reply."
msgstr "只有 {0} 可以回覆。"
-#: src/screens/Signup/StepHandle.tsx:97
+#: src/screens/Signup/StepHandle.tsx:98
msgid "Only contains letters, numbers, and hyphens"
-msgstr ""
+msgstr "只包含字母、數字和連字符"
#: src/components/Lists.tsx:75
msgid "Oops, something went wrong!"
-msgstr ""
+msgstr "糟糕,發生了錯誤!"
#: src/components/Lists.tsx:170
#: src/view/screens/AppPasswords.tsx:67
-#: src/view/screens/Profile.tsx:99
+#: src/view/screens/Profile.tsx:101
msgid "Oops!"
msgstr "糟糕!"
@@ -3191,47 +2902,39 @@ msgstr "糟糕!"
msgid "Open"
msgstr "開啟"
-#: src/view/screens/Moderation.tsx:75
-#~ msgid "Open content filtering settings"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:491
#: src/view/com/composer/Composer.tsx:492
msgid "Open emoji picker"
msgstr "開啟表情符號選擇器"
-#: src/view/screens/ProfileFeed.tsx:300
+#: src/view/screens/ProfileFeed.tsx:311
msgid "Open feed options menu"
-msgstr ""
+msgstr "開啟訊息流選項選單"
-#: src/view/screens/Settings/index.tsx:734
+#: src/view/screens/Settings/index.tsx:685
msgid "Open links with in-app browser"
msgstr "在內建瀏覽器中開啟連結"
#: src/screens/Moderation/index.tsx:227
msgid "Open muted words and tags settings"
-msgstr ""
-
-#: src/view/screens/Moderation.tsx:92
-#~ msgid "Open muted words settings"
-#~ msgstr "打开隐藏词设置"
+msgstr "開啟靜音文字和標籤設定"
-#: src/view/com/home/HomeHeaderLayoutMobile.tsx:50
+#: src/view/com/home/HomeHeaderLayoutMobile.tsx:52
msgid "Open navigation"
msgstr "開啟導覽"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:183
+#: src/view/com/util/forms/PostDropdownBtn.tsx:191
msgid "Open post options menu"
-msgstr ""
+msgstr "開啟貼文選項選單"
-#: src/view/screens/Settings/index.tsx:828
-#: src/view/screens/Settings/index.tsx:838
+#: src/view/screens/Settings/index.tsx:792
+#: src/view/screens/Settings/index.tsx:802
msgid "Open storybook page"
msgstr "開啟故事書頁面"
-#: src/view/screens/Settings/index.tsx:816
+#: src/view/screens/Settings/index.tsx:780
msgid "Open system log"
-msgstr ""
+msgstr "開啟系統日誌"
#: src/view/com/util/forms/DropdownButton.tsx:154
msgid "Opens {numItems} options"
@@ -3241,7 +2944,7 @@ msgstr "開啟 {numItems} 個選項"
msgid "Opens additional details for a debug entry"
msgstr "開啟除錯項目的額外詳細資訊"
-#: src/view/com/notifications/FeedItem.tsx:353
+#: src/view/com/notifications/FeedItem.tsx:355
msgid "Opens an expanded list of users in this notification"
msgstr "展開此通知的使用者列表"
@@ -3253,7 +2956,7 @@ msgstr "開啟裝置相機"
msgid "Opens composer"
msgstr "開啟編輯器"
-#: src/view/screens/Settings/index.tsx:615
+#: src/view/screens/Settings/index.tsx:566
msgid "Opens configurable language settings"
msgstr "開啟可以更改的語言設定"
@@ -3261,71 +2964,49 @@ msgstr "開啟可以更改的語言設定"
msgid "Opens device photo gallery"
msgstr "開啟裝置相簿"
-#: src/view/com/profile/ProfileHeader.tsx:420
-#~ msgid "Opens editor for profile display name, avatar, background image, and description"
-#~ msgstr "開啟個人資料(如名稱、頭貼、背景圖片、描述等)編輯器"
-
-#: src/view/screens/Settings/index.tsx:669
+#: src/view/screens/Settings/index.tsx:620
msgid "Opens external embeds settings"
msgstr "開啟外部嵌入設定"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:57
-#: src/view/com/auth/SplashScreen.tsx:68
-#: src/view/com/auth/SplashScreen.web.tsx:97
+#: src/view/com/auth/SplashScreen.tsx:50
+#: src/view/com/auth/SplashScreen.web.tsx:94
msgid "Opens flow to create a new Bluesky account"
-msgstr ""
+msgstr "開始流程以建立新的 Bluesky 帳戶"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:75
-#: src/view/com/auth/SplashScreen.tsx:83
-#: src/view/com/auth/SplashScreen.web.tsx:112
+#: src/view/com/auth/SplashScreen.tsx:65
+#: src/view/com/auth/SplashScreen.web.tsx:109
msgid "Opens flow to sign into your existing Bluesky account"
-msgstr ""
-
-#: src/view/com/profile/ProfileHeader.tsx:575
-#~ msgid "Opens followers list"
-#~ msgstr "開啟跟隨者列表"
-
-#: src/view/com/profile/ProfileHeader.tsx:594
-#~ msgid "Opens following list"
-#~ msgstr "開啟正在跟隨列表"
-
-#: src/view/screens/Settings.tsx:412
-#~ msgid "Opens invite code list"
-#~ msgstr "開啟邀請碼列表"
+msgstr "開啟流程以登入你現有的 Bluesky 帳戶"
#: src/view/com/modals/InviteCodes.tsx:173
msgid "Opens list of invite codes"
msgstr "開啟邀請碼列表"
-#: src/view/screens/Settings/index.tsx:798
+#: src/view/screens/Settings/index.tsx:762
msgid "Opens modal for account deletion confirmation. Requires email code"
-msgstr ""
-
-#: src/view/screens/Settings/index.tsx:774
-#~ msgid "Opens modal for account deletion confirmation. Requires email code."
-#~ msgstr "開啟用於帳號刪除確認的彈窗。需要電子郵件驗證碼。"
+msgstr "開啟用於帳號刪除確認的彈窗。需要電子郵件驗證碼。"
-#: src/view/screens/Settings/index.tsx:756
+#: src/view/screens/Settings/index.tsx:720
msgid "Opens modal for changing your Bluesky password"
-msgstr ""
+msgstr "開啟用於修改你 Bluesky 密碼的彈窗"
-#: src/view/screens/Settings/index.tsx:718
+#: src/view/screens/Settings/index.tsx:669
msgid "Opens modal for choosing a new Bluesky handle"
-msgstr ""
+msgstr "開啟用於創建新 Bluesky 帳號代碼的彈窗"
-#: src/view/screens/Settings/index.tsx:779
+#: src/view/screens/Settings/index.tsx:743
msgid "Opens modal for downloading your Bluesky account data (repository)"
-msgstr ""
+msgstr "開啟用於下載 Bluesky 帳戶數據(存儲庫)的彈窗"
-#: src/view/screens/Settings/index.tsx:968
+#: src/view/screens/Settings/index.tsx:932
msgid "Opens modal for email verification"
-msgstr ""
+msgstr "開啟用於驗證電子郵件的彈窗"
#: src/view/com/modals/ChangeHandle.tsx:282
msgid "Opens modal for using custom domain"
msgstr "開啟使用自訂網域的彈窗"
-#: src/view/screens/Settings/index.tsx:640
+#: src/view/screens/Settings/index.tsx:591
msgid "Opens moderation settings"
msgstr "開啟限制設定"
@@ -3333,45 +3014,37 @@ msgstr "開啟限制設定"
msgid "Opens password reset form"
msgstr "開啟密碼重設表單"
-#: src/view/com/home/HomeHeaderLayout.web.tsx:63
-#: src/view/screens/Feeds.tsx:356
+#: src/view/com/home/HomeHeaderLayout.web.tsx:67
+#: src/view/screens/Feeds.tsx:381
msgid "Opens screen to edit Saved Feeds"
msgstr "開啟編輯已儲存訊息流的畫面"
-#: src/view/screens/Settings/index.tsx:597
+#: src/view/screens/Settings/index.tsx:548
msgid "Opens screen with all saved feeds"
msgstr "開啟包含所有已儲存訊息流的畫面"
-#: src/view/screens/Settings/index.tsx:696
+#: src/view/screens/Settings/index.tsx:647
msgid "Opens the app password settings"
-msgstr ""
+msgstr "開啟應用程式專用密碼設定的畫面"
-#: src/view/screens/Settings/index.tsx:676
-#~ msgid "Opens the app password settings page"
-#~ msgstr "開啟應用程式專用密碼設定頁面"
-
-#: src/view/screens/Settings/index.tsx:554
+#: src/view/screens/Settings/index.tsx:505
msgid "Opens the Following feed preferences"
-msgstr ""
-
-#: src/view/screens/Settings/index.tsx:535
-#~ msgid "Opens the home feed preferences"
-#~ msgstr "開啟首頁訊息流設定偏好"
+msgstr "開啟跟隨訊息流設定偏好"
#: src/view/com/modals/LinkWarning.tsx:93
msgid "Opens the linked website"
-msgstr ""
+msgstr "開啟已連結的網站"
-#: src/view/screens/Settings/index.tsx:829
-#: src/view/screens/Settings/index.tsx:839
+#: src/view/screens/Settings/index.tsx:793
+#: src/view/screens/Settings/index.tsx:803
msgid "Opens the storybook page"
msgstr "開啟故事書頁面"
-#: src/view/screens/Settings/index.tsx:817
+#: src/view/screens/Settings/index.tsx:781
msgid "Opens the system log page"
msgstr "開啟系統日誌頁面"
-#: src/view/screens/Settings/index.tsx:575
+#: src/view/screens/Settings/index.tsx:526
msgid "Opens the threads preferences"
msgstr "開啟對話串設定偏好"
@@ -3379,9 +3052,9 @@ msgstr "開啟對話串設定偏好"
msgid "Option {0} of {numItems}"
msgstr "{0} 選項,共 {numItems} 個"
-#: src/components/ReportDialog/SubmitView.tsx:162
+#: src/components/ReportDialog/SubmitView.tsx:160
msgid "Optionally provide additional information below:"
-msgstr ""
+msgstr "以下是可選提供的额外信息:"
#: src/view/com/modals/Threadgate.tsx:89
msgid "Or combine these options:"
@@ -3389,16 +3062,12 @@ msgstr "或者選擇組合這些選項:"
#: src/lib/moderation/useReportOptions.ts:25
msgid "Other"
-msgstr ""
+msgstr "其他"
#: src/components/AccountList.tsx:73
msgid "Other account"
msgstr "其他帳號"
-#: src/view/com/modals/ServerInput.tsx:88
-#~ msgid "Other service"
-#~ msgstr "其他服務"
-
#: src/view/com/composer/select-language/SelectLangBtn.tsx:91
msgid "Other..."
msgstr "其他…"
@@ -3413,7 +3082,7 @@ msgid "Page Not Found"
msgstr "頁面不存在"
#: src/screens/Login/LoginForm.tsx:178
-#: src/screens/Signup/StepInfo/index.tsx:101
+#: src/screens/Signup/StepInfo/index.tsx:102
#: src/view/com/modals/DeleteAccount.tsx:194
#: src/view/com/modals/DeleteAccount.tsx:201
msgid "Password"
@@ -3421,7 +3090,7 @@ msgstr "密碼"
#: src/view/com/modals/ChangePassword.tsx:142
msgid "Password Changed"
-msgstr ""
+msgstr "密碼已更改"
#: src/screens/Login/index.tsx:157
msgid "Password updated"
@@ -3431,6 +3100,11 @@ msgstr "密碼已更新"
msgid "Password updated!"
msgstr "密碼已更新!"
+#: src/view/screens/Search/Search.tsx:447
+#: src/view/screens/Search/Search.tsx:456
+msgid "People"
+msgstr ""
+
#: src/Navigation.tsx:164
msgid "People followed by @{0}"
msgstr "被 @{0} 跟隨的人"
@@ -3451,24 +3125,20 @@ msgstr "相機的存取權限已被拒絕,請在系統設定中啟用。"
msgid "Pets"
msgstr "寵物"
-#: src/view/com/auth/create/Step2.tsx:183
-#~ msgid "Phone number"
-#~ msgstr "手機號碼"
-
#: src/view/com/modals/SelfLabel.tsx:121
msgid "Pictures meant for adults."
msgstr "適合成年人的圖像。"
-#: src/view/screens/ProfileFeed.tsx:292
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:303
+#: src/view/screens/ProfileList.tsx:565
msgid "Pin to home"
msgstr "固定到首頁"
-#: src/view/screens/ProfileFeed.tsx:295
+#: src/view/screens/ProfileFeed.tsx:306
msgid "Pin to Home"
-msgstr ""
+msgstr "固定到首頁"
-#: src/view/screens/SavedFeeds.tsx:88
+#: src/view/screens/SavedFeeds.tsx:89
msgid "Pinned Feeds"
msgstr "固定訊息流列表"
@@ -3505,25 +3175,13 @@ msgstr "更改前請先確認你的電子郵件地址。這是電子郵件更新
msgid "Please enter a name for your app password. All spaces is not allowed."
msgstr "請輸入應用程式專用密碼的名稱。所有空格均不允許使用。"
-#: src/view/com/auth/create/Step2.tsx:206
-#~ msgid "Please enter a phone number that can receive SMS text messages."
-#~ msgstr "請輸入可以接收簡訊的手機號碼。"
-
#: src/view/com/modals/AddAppPasswords.tsx:146
msgid "Please enter a unique name for this App Password or use our randomly generated one."
msgstr "請輸入此應用程式專用密碼的唯一名稱,或使用我們提供的隨機生成名稱。"
#: src/components/dialogs/MutedWords.tsx:67
msgid "Please enter a valid word, tag, or phrase to mute"
-msgstr ""
-
-#: src/view/com/auth/create/state.ts:170
-#~ msgid "Please enter the code you received by SMS."
-#~ msgstr "請輸入你收到的簡訊驗證碼。"
-
-#: src/view/com/auth/create/Step2.tsx:282
-#~ msgid "Please enter the verification code sent to {phoneNumberFormatted}."
-#~ msgstr "請輸入發送到 {phoneNumberFormatted} 的驗證碼。"
+msgstr "請輸入有效的詞語或標籤進行靜音"
#: src/screens/Signup/state.ts:220
msgid "Please enter your email."
@@ -3535,12 +3193,7 @@ msgstr "請輸入你的密碼:"
#: src/components/moderation/LabelsOnMeDialog.tsx:221
msgid "Please explain why you think this label was incorrectly applied by {0}"
-msgstr ""
-
-#: src/view/com/modals/AppealLabel.tsx:72
-#: src/view/com/modals/AppealLabel.tsx:75
-#~ msgid "Please tell us why you think this content warning was incorrectly applied!"
-#~ msgstr "請告訴我們你認為這個內容警告標示有誤的原因!"
+msgstr "請解釋你認為 {0} 不正確套用此標籤的原因"
#: src/view/com/modals/VerifyEmail.tsx:101
msgid "Please Verify Your Email"
@@ -3558,10 +3211,6 @@ msgstr "政治"
msgid "Porn"
msgstr "情色內容"
-#: src/lib/moderation/useGlobalLabelStrings.ts:34
-#~ msgid "Pornography"
-#~ msgstr ""
-
#: src/view/com/composer/Composer.tsx:367
#: src/view/com/composer/Composer.tsx:375
msgctxt "action"
@@ -3583,7 +3232,7 @@ msgstr "{0} 的貼文"
msgid "Post by @{0}"
msgstr "@{0} 的貼文"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:105
+#: src/view/com/util/forms/PostDropdownBtn.tsx:111
msgid "Post deleted"
msgstr "貼文已刪除"
@@ -3594,12 +3243,12 @@ msgstr "貼文已隱藏"
#: src/components/moderation/ModerationDetailsDialog.tsx:97
#: src/lib/moderation/useModerationCauseDescription.ts:99
msgid "Post Hidden by Muted Word"
-msgstr ""
+msgstr "貼文因靜音詞彙設定而被靜音"
#: src/components/moderation/ModerationDetailsDialog.tsx:100
#: src/lib/moderation/useModerationCauseDescription.ts:108
msgid "Post Hidden by You"
-msgstr ""
+msgstr "你靜音了這則貼文"
#: src/view/com/composer/select-language/SelectLangBtn.tsx:87
msgid "Post language"
@@ -3618,13 +3267,14 @@ msgstr "找不到貼文"
msgid "posts"
msgstr "貼文"
-#: src/view/screens/Profile.tsx:190
+#: src/view/screens/Profile.tsx:195
+#: src/view/screens/Search/Search.tsx:467
msgid "Posts"
msgstr "貼文"
#: src/components/dialogs/MutedWords.tsx:89
msgid "Posts can be muted based on their text, their tags, or both."
-msgstr ""
+msgstr "貼文可以根据所包含的文字和標籤来设定静音。"
#: src/view/com/posts/FeedErrorMessage.tsx:64
msgid "Posts hidden"
@@ -3634,15 +3284,15 @@ msgstr "貼文已隱藏"
msgid "Potentially Misleading Link"
msgstr "潛在誤導性連結"
-#: src/components/forms/HostingProvider.tsx:45
+#: src/components/forms/HostingProvider.tsx:46
msgid "Press to change hosting provider"
-msgstr ""
+msgstr "按下以更改主機提供商"
#: src/components/Error.tsx:74
#: src/components/Lists.tsx:80
-#: src/screens/Signup/index.tsx:186
+#: src/screens/Signup/index.tsx:187
msgid "Press to retry"
-msgstr ""
+msgstr "按下以重試"
#: src/view/com/lightbox/Lightbox.web.tsx:150
msgid "Previous image"
@@ -3656,7 +3306,7 @@ msgstr "主要語言"
msgid "Prioritize Your Follows"
msgstr "優先顯示跟隨者"
-#: src/view/screens/Settings/index.tsx:652
+#: src/view/screens/Settings/index.tsx:603
#: src/view/shell/desktop/RightNav.tsx:72
msgid "Privacy"
msgstr "隱私"
@@ -3664,8 +3314,8 @@ msgstr "隱私"
#: src/Navigation.tsx:231
#: src/screens/Signup/StepInfo/Policies.tsx:56
#: src/view/screens/PrivacyPolicy.tsx:29
-#: src/view/screens/Settings/index.tsx:923
-#: src/view/shell/Drawer.tsx:265
+#: src/view/screens/Settings/index.tsx:887
+#: src/view/shell/Drawer.tsx:271
msgid "Privacy Policy"
msgstr "隱私政策"
@@ -3674,15 +3324,15 @@ msgid "Processing..."
msgstr "處理中…"
#: src/view/screens/DebugMod.tsx:888
-#: src/view/screens/Profile.tsx:342
+#: src/view/screens/Profile.tsx:361
msgid "profile"
msgstr "個人檔案"
-#: src/view/shell/bottom-bar/BottomBar.tsx:260
+#: src/view/shell/bottom-bar/BottomBar.tsx:261
#: src/view/shell/desktop/LeftNav.tsx:419
#: src/view/shell/Drawer.tsx:70
-#: src/view/shell/Drawer.tsx:549
-#: src/view/shell/Drawer.tsx:550
+#: src/view/shell/Drawer.tsx:555
+#: src/view/shell/Drawer.tsx:556
msgid "Profile"
msgstr "個人檔案"
@@ -3690,7 +3340,7 @@ msgstr "個人檔案"
msgid "Profile updated"
msgstr "個人檔案已更新"
-#: src/view/screens/Settings/index.tsx:981
+#: src/view/screens/Settings/index.tsx:945
msgid "Protect your account by verifying your email."
msgstr "通過驗證電子郵件地址來保護你的帳號。"
@@ -3736,15 +3386,15 @@ msgstr "隨機顯示 (又名試試手氣)"
msgid "Ratios"
msgstr "比率"
-#: src/view/screens/Search/Search.tsx:777
+#: src/view/screens/Search/Search.tsx:924
msgid "Recent Searches"
-msgstr ""
+msgstr "最近的搜尋結果"
-#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:116
+#: src/view/com/auth/onboarding/RecommendedFeeds.tsx:117
msgid "Recommended Feeds"
msgstr "推薦訊息流"
-#: src/view/com/auth/onboarding/RecommendedFollows.tsx:180
+#: src/view/com/auth/onboarding/RecommendedFollows.tsx:181
msgid "Recommended Users"
msgstr "推薦的使用者"
@@ -3757,21 +3407,17 @@ msgstr "推薦的使用者"
msgid "Remove"
msgstr "移除"
-#: src/view/com/feeds/FeedSourceCard.tsx:108
-#~ msgid "Remove {0} from my feeds?"
-#~ msgstr "將 {0} 從我的訊息流移除?"
-
#: src/view/com/util/AccountDropdownBtn.tsx:22
msgid "Remove account"
msgstr "刪除帳號"
-#: src/view/com/util/UserAvatar.tsx:358
+#: src/view/com/util/UserAvatar.tsx:360
msgid "Remove Avatar"
-msgstr ""
+msgstr "刪除頭像"
#: src/view/com/util/UserBanner.tsx:148
msgid "Remove Banner"
-msgstr ""
+msgstr "刪除橫幅圖片"
#: src/view/com/posts/FeedErrorMessage.tsx:160
msgid "Remove feed"
@@ -3779,18 +3425,18 @@ msgstr "刪除訊息流"
#: src/view/com/posts/FeedErrorMessage.tsx:201
msgid "Remove feed?"
-msgstr ""
+msgstr "刪除訊息流?"
#: src/view/com/feeds/FeedSourceCard.tsx:173
#: src/view/com/feeds/FeedSourceCard.tsx:233
-#: src/view/screens/ProfileFeed.tsx:335
-#: src/view/screens/ProfileFeed.tsx:341
+#: src/view/screens/ProfileFeed.tsx:346
+#: src/view/screens/ProfileFeed.tsx:352
msgid "Remove from my feeds"
msgstr "從我的訊息流中刪除"
#: src/view/com/feeds/FeedSourceCard.tsx:278
msgid "Remove from my feeds?"
-msgstr ""
+msgstr "從我的訊息流中刪除?"
#: src/view/com/composer/photos/Gallery.tsx:167
msgid "Remove image"
@@ -3802,23 +3448,15 @@ msgstr "刪除圖片預覽"
#: src/components/dialogs/MutedWords.tsx:329
msgid "Remove mute word from your list"
-msgstr ""
+msgstr "從你的列表中移除靜音詞"
#: src/view/com/modals/Repost.tsx:48
msgid "Remove repost"
msgstr "刪除轉發"
-#: src/view/com/feeds/FeedSourceCard.tsx:175
-#~ msgid "Remove this feed from my feeds?"
-#~ msgstr "將這個訊息流從我的訊息流列表中刪除?"
-
#: src/view/com/posts/FeedErrorMessage.tsx:202
msgid "Remove this feed from your saved feeds"
-msgstr ""
-
-#: src/view/com/posts/FeedErrorMessage.tsx:132
-#~ msgid "Remove this feed from your saved feeds?"
-#~ msgstr "將這個訊息流從儲存的訊息流列表中刪除?"
+msgstr "將這個訊息流從儲存的訊息流列表中刪除"
#: src/view/com/modals/ListAddRemoveUsers.tsx:199
#: src/view/com/modals/UserAddRemoveLists.tsx:152
@@ -3829,15 +3467,15 @@ msgstr "從列表中刪除"
msgid "Removed from my feeds"
msgstr "從我的訊息流中刪除"
-#: src/view/screens/ProfileFeed.tsx:209
+#: src/view/screens/ProfileFeed.tsx:210
msgid "Removed from your feeds"
-msgstr ""
+msgstr "從你的訊息流中刪除"
#: src/view/com/composer/ExternalEmbed.tsx:71
msgid "Removes default thumbnail from {0}"
msgstr "從 {0} 中刪除預設縮略圖"
-#: src/view/screens/Profile.tsx:191
+#: src/view/screens/Profile.tsx:196
msgid "Replies"
msgstr "回覆"
@@ -3854,16 +3492,12 @@ msgstr "回覆"
msgid "Reply Filters"
msgstr "回覆過濾器"
-#: src/view/com/post/Post.tsx:166
-#: src/view/com/posts/FeedItem.tsx:280
+#: src/view/com/post/Post.tsx:177
+#: src/view/com/posts/FeedItem.tsx:285
msgctxt "description"
msgid "Reply to <0/>"
msgstr "回覆 <0/>"
-#: src/view/com/modals/report/Modal.tsx:166
-#~ msgid "Report {collectionName}"
-#~ msgstr "檢舉 {collectionName}"
-
#: src/view/com/profile/ProfileMenu.tsx:319
#: src/view/com/profile/ProfileMenu.tsx:322
msgid "Report Account"
@@ -3871,41 +3505,41 @@ msgstr "檢舉帳號"
#: src/components/ReportDialog/index.tsx:49
msgid "Report dialog"
-msgstr ""
+msgstr "檢舉頁"
-#: src/view/screens/ProfileFeed.tsx:352
-#: src/view/screens/ProfileFeed.tsx:354
+#: src/view/screens/ProfileFeed.tsx:363
+#: src/view/screens/ProfileFeed.tsx:365
msgid "Report feed"
msgstr "檢舉訊息流"
-#: src/view/screens/ProfileList.tsx:429
+#: src/view/screens/ProfileList.tsx:431
msgid "Report List"
msgstr "檢舉列表"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:292
-#: src/view/com/util/forms/PostDropdownBtn.tsx:294
+#: src/view/com/util/forms/PostDropdownBtn.tsx:312
+#: src/view/com/util/forms/PostDropdownBtn.tsx:314
msgid "Report post"
msgstr "檢舉貼文"
#: src/components/ReportDialog/SelectReportOptionView.tsx:42
msgid "Report this content"
-msgstr ""
+msgstr "檢舉這個內容"
#: src/components/ReportDialog/SelectReportOptionView.tsx:55
msgid "Report this feed"
-msgstr ""
+msgstr "檢舉這個訊息流"
#: src/components/ReportDialog/SelectReportOptionView.tsx:52
msgid "Report this list"
-msgstr ""
+msgstr "檢舉這個列表"
#: src/components/ReportDialog/SelectReportOptionView.tsx:49
msgid "Report this post"
-msgstr ""
+msgstr "檢舉這則貼文"
#: src/components/ReportDialog/SelectReportOptionView.tsx:46
msgid "Report this user"
-msgstr ""
+msgstr "檢舉這個使用者"
#: src/view/com/modals/Repost.tsx:44
#: src/view/com/modals/Repost.tsx:49
@@ -3928,15 +3562,19 @@ msgstr "轉發或引用貼文"
msgid "Reposted By"
msgstr "轉發"
-#: src/view/com/posts/FeedItem.tsx:197
+#: src/view/com/posts/FeedItem.tsx:199
msgid "Reposted by {0}"
msgstr "由 {0} 轉發"
#: src/view/com/posts/FeedItem.tsx:214
-msgid "Reposted by <0/>"
-msgstr "由 <0/> 轉發"
+#~ msgid "Reposted by <0/>"
+#~ msgstr "由 <0/> 轉發"
+
+#: src/view/com/posts/FeedItem.tsx:216
+msgid "Reposted by <0><1/>0>"
+msgstr ""
-#: src/view/com/notifications/FeedItem.tsx:166
+#: src/view/com/notifications/FeedItem.tsx:168
msgid "reposted your post"
msgstr "轉發你的貼文"
@@ -3949,16 +3587,12 @@ msgstr "轉發這條貼文"
msgid "Request Change"
msgstr "請求變更"
-#: src/view/com/auth/create/Step2.tsx:219
-#~ msgid "Request code"
-#~ msgstr "請求碼"
-
#: src/view/com/modals/ChangePassword.tsx:241
#: src/view/com/modals/ChangePassword.tsx:243
msgid "Request Code"
msgstr "請求代碼"
-#: src/view/screens/Settings/index.tsx:475
+#: src/view/screens/Settings/index.tsx:426
msgid "Require alt text before posting"
msgstr "要求發佈前提供替代文字"
@@ -3974,12 +3608,8 @@ msgstr "重設碼"
msgid "Reset Code"
msgstr "重設碼"
-#: src/view/screens/Settings/index.tsx:824
-#~ msgid "Reset onboarding"
-#~ msgstr "重設初始設定進行狀態"
-
-#: src/view/screens/Settings/index.tsx:858
-#: src/view/screens/Settings/index.tsx:861
+#: src/view/screens/Settings/index.tsx:822
+#: src/view/screens/Settings/index.tsx:825
msgid "Reset onboarding state"
msgstr "重設初始設定進行狀態"
@@ -3987,22 +3617,18 @@ msgstr "重設初始設定進行狀態"
msgid "Reset password"
msgstr "重設密碼"
-#: src/view/screens/Settings/index.tsx:814
-#~ msgid "Reset preferences"
-#~ msgstr "重設偏好設定"
-
-#: src/view/screens/Settings/index.tsx:848
-#: src/view/screens/Settings/index.tsx:851
+#: src/view/screens/Settings/index.tsx:812
+#: src/view/screens/Settings/index.tsx:815
msgid "Reset preferences state"
-msgstr "重設偏好設定狀態"
+msgstr "重設設定偏好狀態"
-#: src/view/screens/Settings/index.tsx:859
+#: src/view/screens/Settings/index.tsx:823
msgid "Resets the onboarding state"
msgstr "重設初始設定狀態"
-#: src/view/screens/Settings/index.tsx:849
+#: src/view/screens/Settings/index.tsx:813
msgid "Resets the preferences state"
-msgstr "重設偏好設定狀態"
+msgstr "重設設定偏好狀態"
#: src/screens/Login/LoginForm.tsx:235
msgid "Retries login"
@@ -4019,33 +3645,25 @@ msgstr "重試上次出錯的操作"
#: src/screens/Login/LoginForm.tsx:241
#: src/screens/Onboarding/StepInterests/index.tsx:225
#: src/screens/Onboarding/StepInterests/index.tsx:228
-#: src/screens/Signup/index.tsx:193
+#: src/screens/Signup/index.tsx:194
#: src/view/com/util/error/ErrorMessage.tsx:55
#: src/view/com/util/error/ErrorScreen.tsx:72
msgid "Retry"
msgstr "重試"
-#: src/view/com/auth/create/Step2.tsx:247
-#~ msgid "Retry."
-#~ msgstr "重試。"
-
#: src/components/Error.tsx:86
-#: src/view/screens/ProfileList.tsx:917
+#: src/view/screens/ProfileList.tsx:919
msgid "Return to previous page"
msgstr "返回上一頁"
#: src/view/screens/NotFound.tsx:59
msgid "Returns to home page"
-msgstr ""
+msgstr "返回首頁"
#: src/view/screens/NotFound.tsx:58
#: src/view/screens/ProfileFeed.tsx:113
msgid "Returns to previous page"
-msgstr ""
-
-#: src/view/shell/desktop/RightNav.tsx:55
-#~ msgid "SANDBOX. Posts and accounts are not permanent."
-#~ msgstr "沙盒模式。貼文和帳號不會永久儲存。"
+msgstr "返回上一頁"
#: src/components/dialogs/BirthDateSettings.tsx:125
#: src/view/com/modals/ChangeHandle.tsx:174
@@ -4066,7 +3684,7 @@ msgstr "儲存替代文字"
#: src/components/dialogs/BirthDateSettings.tsx:119
msgid "Save birthday"
-msgstr ""
+msgstr "儲存生日"
#: src/view/com/modals/EditProfile.tsx:233
msgid "Save Changes"
@@ -4080,22 +3698,22 @@ msgstr "儲存帳號代碼更改"
msgid "Save image crop"
msgstr "儲存圖片裁剪"
-#: src/view/screens/ProfileFeed.tsx:336
-#: src/view/screens/ProfileFeed.tsx:342
+#: src/view/screens/ProfileFeed.tsx:347
+#: src/view/screens/ProfileFeed.tsx:353
msgid "Save to my feeds"
-msgstr ""
+msgstr "儲存到我的訊息流"
-#: src/view/screens/SavedFeeds.tsx:122
+#: src/view/screens/SavedFeeds.tsx:123
msgid "Saved Feeds"
msgstr "已儲存訊息流"
#: src/view/com/lightbox/Lightbox.tsx:81
msgid "Saved to your camera roll."
-msgstr ""
+msgstr "儲存到你的相機膠卷。"
-#: src/view/screens/ProfileFeed.tsx:213
+#: src/view/screens/ProfileFeed.tsx:214
msgid "Saved to your feeds"
-msgstr ""
+msgstr "儲存到你的訊息流"
#: src/view/com/modals/EditProfile.tsx:226
msgid "Saves any changes to your profile"
@@ -4107,53 +3725,45 @@ msgstr "儲存帳號代碼更改至 {handle}"
#: src/view/com/modals/crop-image/CropImage.web.tsx:146
msgid "Saves image crop settings"
-msgstr ""
+msgstr "保存圖片裁剪設定"
#: src/screens/Onboarding/index.tsx:36
msgid "Science"
msgstr "科學"
-#: src/view/screens/ProfileList.tsx:873
+#: src/view/screens/ProfileList.tsx:875
msgid "Scroll to top"
msgstr "滾動到頂部"
-#: src/Navigation.tsx:459
+#: src/Navigation.tsx:451
#: src/view/com/auth/LoggedOut.tsx:123
#: src/view/com/modals/ListAddRemoveUsers.tsx:75
#: src/view/com/util/forms/SearchInput.tsx:67
#: src/view/com/util/forms/SearchInput.tsx:79
-#: src/view/screens/Search/Search.tsx:421
-#: src/view/screens/Search/Search.tsx:670
-#: src/view/screens/Search/Search.tsx:688
-#: src/view/shell/bottom-bar/BottomBar.tsx:169
+#: src/view/screens/Search/Search.tsx:568
+#: src/view/screens/Search/Search.tsx:817
+#: src/view/screens/Search/Search.tsx:835
+#: src/view/shell/bottom-bar/BottomBar.tsx:170
#: src/view/shell/desktop/LeftNav.tsx:328
#: src/view/shell/desktop/Search.tsx:215
#: src/view/shell/desktop/Search.tsx:224
-#: src/view/shell/Drawer.tsx:365
-#: src/view/shell/Drawer.tsx:366
+#: src/view/shell/Drawer.tsx:371
+#: src/view/shell/Drawer.tsx:372
msgid "Search"
msgstr "搜尋"
-#: src/view/screens/Search/Search.tsx:737
+#: src/view/screens/Search/Search.tsx:884
#: src/view/shell/desktop/Search.tsx:256
msgid "Search for \"{query}\""
msgstr "搜尋「{query}」"
#: src/components/TagMenu/index.tsx:145
msgid "Search for all posts by @{authorHandle} with tag {displayTag}"
-msgstr ""
-
-#: src/components/TagMenu/index.tsx:145
-#~ msgid "Search for all posts by @{authorHandle} with tag {tag}"
-#~ msgstr ""
+msgstr "搜尋所有由 @{authorHandle} 發佈並具有標籤 {displayTag} 的貼文"
#: src/components/TagMenu/index.tsx:94
msgid "Search for all posts with tag {displayTag}"
-msgstr ""
-
-#: src/components/TagMenu/index.tsx:90
-#~ msgid "Search for all posts with tag {tag}"
-#~ msgstr ""
+msgstr "搜尋所有具有標籤 {displayTag} 的貼文"
#: src/view/com/auth/LoggedOut.tsx:105
#: src/view/com/auth/LoggedOut.tsx:106
@@ -4167,35 +3777,32 @@ msgstr "所需的安全步驟"
#: src/components/TagMenu/index.web.tsx:66
msgid "See {truncatedTag} posts"
-msgstr ""
+msgstr "查看 {truncatedTag} 的貼文"
#: src/components/TagMenu/index.web.tsx:83
msgid "See {truncatedTag} posts by user"
-msgstr ""
+msgstr "查看使用者的 {truncatedTag} 貼文"
#: src/components/TagMenu/index.tsx:128
msgid "See <0>{displayTag}0> posts"
-msgstr ""
+msgstr "查看 <0>{displayTag}0> 的貼文"
#: src/components/TagMenu/index.tsx:187
msgid "See <0>{displayTag}0> posts by this user"
-msgstr ""
+msgstr "查看這個使用者的 <0>{displayTag}0> 貼文"
-#: src/components/TagMenu/index.tsx:128
-#~ msgid "See <0>{tag}0> posts"
-#~ msgstr ""
-
-#: src/components/TagMenu/index.tsx:189
-#~ msgid "See <0>{tag}0> posts by this user"
-#~ msgstr ""
+#: src/view/com/notifications/FeedItem.tsx:419
+#: src/view/com/util/UserAvatar.tsx:381
+msgid "See profile"
+msgstr ""
-#: src/view/screens/SavedFeeds.tsx:163
+#: src/view/screens/SavedFeeds.tsx:164
msgid "See this guide"
msgstr "查看指南"
#: src/view/com/auth/HomeLoggedOutCTA.tsx:40
-msgid "See what's next"
-msgstr "查看下一步"
+#~ msgid "See what's next"
+#~ msgstr "查看下一步"
#: src/view/com/util/Selector.tsx:106
msgid "Select {item}"
@@ -4203,11 +3810,7 @@ msgstr "選擇 {item}"
#: src/screens/Login/ChooseAccountForm.tsx:61
msgid "Select account"
-msgstr ""
-
-#: src/view/com/modals/ServerInput.tsx:75
-#~ msgid "Select Bluesky Social"
-#~ msgstr "選擇 Bluesky Social"
+msgstr "選擇帳號"
#: src/screens/Login/index.tsx:120
msgid "Select from an existing account"
@@ -4215,28 +3818,23 @@ msgstr "從現有帳號中選擇"
#: src/view/screens/LanguageSettings.tsx:299
msgid "Select languages"
-msgstr ""
+msgstr "選擇語言"
#: src/components/ReportDialog/SelectLabelerView.tsx:30
msgid "Select moderator"
-msgstr ""
+msgstr "選擇限制服務提供者"
#: src/view/com/util/Selector.tsx:107
msgid "Select option {i} of {numItems}"
msgstr "選擇 {numItems} 個項目中的第 {i} 項"
-#: src/view/com/auth/create/Step1.tsx:96
-#: src/view/com/auth/login/LoginForm.tsx:153
-#~ msgid "Select service"
-#~ msgstr "選擇服務"
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:52
msgid "Select some accounts below to follow"
msgstr "在下面選擇一些要跟隨的帳號"
-#: src/components/ReportDialog/SubmitView.tsx:135
+#: src/components/ReportDialog/SubmitView.tsx:133
msgid "Select the moderation service(s) to report to"
-msgstr ""
+msgstr "選擇要檢舉的限制服務提供者"
#: src/view/com/auth/server-input/index.tsx:82
msgid "Select the service that hosts your data."
@@ -4254,26 +3852,18 @@ msgstr "選擇你想看到(或不想看到)的內容,剩下的由我們來
msgid "Select which languages you want your subscribed feeds to include. If none are selected, all languages will be shown."
msgstr "選擇你希望訂閱訊息流中所包含的語言。未選擇任何語言時會預設顯示所有語言。"
-#: src/view/screens/LanguageSettings.tsx:98
-#~ msgid "Select your app language for the default text to display in the app"
-#~ msgstr "選擇應用程式中顯示預設文字的語言"
-
#: src/view/screens/LanguageSettings.tsx:98
msgid "Select your app language for the default text to display in the app."
-msgstr ""
+msgstr "選擇你應用程式中要顯示的默認文字的語言。"
-#: src/screens/Signup/StepInfo/index.tsx:133
+#: src/screens/Signup/StepInfo/index.tsx:135
msgid "Select your date of birth"
-msgstr ""
+msgstr "選擇你的出生日期"
#: src/screens/Onboarding/StepInterests/index.tsx:200
msgid "Select your interests from the options below"
msgstr "下面選擇你感興趣的選項"
-#: src/view/com/auth/create/Step2.tsx:155
-#~ msgid "Select your phone's country"
-#~ msgstr "選擇你的電話區號"
-
#: src/view/screens/LanguageSettings.tsx:190
msgid "Select your preferred language for translations in your feed."
msgstr "選擇你在訂閱訊息流中希望進行翻譯的目標語言偏好。"
@@ -4300,23 +3890,19 @@ msgctxt "action"
msgid "Send Email"
msgstr "發送電子郵件"
-#: src/view/shell/Drawer.tsx:298
-#: src/view/shell/Drawer.tsx:319
+#: src/view/shell/Drawer.tsx:304
+#: src/view/shell/Drawer.tsx:325
msgid "Send feedback"
msgstr "提交意見"
-#: src/components/ReportDialog/SubmitView.tsx:214
-#: src/components/ReportDialog/SubmitView.tsx:218
+#: src/components/ReportDialog/SubmitView.tsx:213
+#: src/components/ReportDialog/SubmitView.tsx:217
msgid "Send report"
-msgstr "提交舉報"
-
-#: src/view/com/modals/report/SendReportButton.tsx:45
-#~ msgid "Send Report"
-#~ msgstr "提交舉報"
+msgstr "提交檢舉"
#: src/components/ReportDialog/SelectLabelerView.tsx:44
msgid "Send report to {0}"
-msgstr ""
+msgstr "將檢舉提交至 {0}"
#: src/view/com/modals/DeleteAccount.tsx:132
msgid "Sends email with confirmation code for account deletion"
@@ -4326,48 +3912,14 @@ msgstr "發送包含帳號刪除確認碼的電子郵件"
msgid "Server address"
msgstr "伺服器地址"
-#: src/view/com/modals/ContentFilteringSettings.tsx:311
-#~ msgid "Set {value} for {labelGroup} content moderation policy"
-#~ msgstr "將 {labelGroup} 內容審核政策設為 {value}"
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:160
-#: src/view/com/modals/ContentFilteringSettings.tsx:179
-#~ msgctxt "action"
-#~ msgid "Set Age"
-#~ msgstr "設定年齡"
-
#: src/screens/Moderation/index.tsx:304
msgid "Set birthdate"
-msgstr ""
-
-#: src/view/screens/Settings/index.tsx:488
-#~ msgid "Set color theme to dark"
-#~ msgstr "設定主題為深色模式"
-
-#: src/view/screens/Settings/index.tsx:481
-#~ msgid "Set color theme to light"
-#~ msgstr "設定主題為亮色模式"
-
-#: src/view/screens/Settings/index.tsx:475
-#~ msgid "Set color theme to system setting"
-#~ msgstr "設定主題跟隨系統設定"
-
-#: src/view/screens/Settings/index.tsx:514
-#~ msgid "Set dark theme to the dark theme"
-#~ msgstr "設定深色模式至深黑"
-
-#: src/view/screens/Settings/index.tsx:507
-#~ msgid "Set dark theme to the dim theme"
-#~ msgstr "設定深色模式至暗淡"
+msgstr "設定生日"
#: src/screens/Login/SetNewPasswordForm.tsx:102
msgid "Set new password"
msgstr "設定新密碼"
-#: src/view/com/auth/create/Step1.tsx:202
-#~ msgid "Set password"
-#~ msgstr "設定密碼"
-
#: src/view/screens/PreferencesFollowingFeed.tsx:225
msgid "Set this setting to \"No\" to hide all quote posts from your feed. Reposts will still be visible."
msgstr "將此設定項設為「關」會隱藏來自訂閱訊息流的所有引用貼文。轉發仍將可見。"
@@ -4384,13 +3936,9 @@ msgstr "將此設定項設為「關」以隱藏來自訂閱訊息流的所有轉
msgid "Set this setting to \"Yes\" to show replies in a threaded view. This is an experimental feature."
msgstr "將此設定項設為「開」以在分層視圖中顯示回覆。這是一個實驗性功能。"
-#: src/view/screens/PreferencesHomeFeed.tsx:261
-#~ msgid "Set this setting to \"Yes\" to show samples of your saved feeds in your following feed. This is an experimental feature."
-#~ msgstr "將此設定項設為「開」以在跟隨訊息流中顯示已儲存訊息流的樣本。這是一個實驗性功能。"
-
#: src/view/screens/PreferencesFollowingFeed.tsx:261
msgid "Set this setting to \"Yes\" to show samples of your saved feeds in your Following feed. This is an experimental feature."
-msgstr ""
+msgstr "將此設定為「是」以在你的追蹤訊息流中顯示你保存的訊息流。這是一個實驗性功能。"
#: src/screens/Onboarding/Layout.tsx:48
msgid "Set up your account"
@@ -4400,56 +3948,47 @@ msgstr "設定你的帳號"
msgid "Sets Bluesky username"
msgstr "設定 Bluesky 使用者名稱"
-#: src/view/screens/Settings/index.tsx:507
+#: src/view/screens/Settings/index.tsx:458
msgid "Sets color theme to dark"
-msgstr ""
+msgstr "將色彩主題設定為深色"
-#: src/view/screens/Settings/index.tsx:500
+#: src/view/screens/Settings/index.tsx:451
msgid "Sets color theme to light"
-msgstr ""
+msgstr "將色彩主題設定為亮色"
-#: src/view/screens/Settings/index.tsx:494
+#: src/view/screens/Settings/index.tsx:445
msgid "Sets color theme to system setting"
-msgstr ""
+msgstr "將色彩主題設定為跟隨系統設定"
-#: src/view/screens/Settings/index.tsx:533
+#: src/view/screens/Settings/index.tsx:484
msgid "Sets dark theme to the dark theme"
-msgstr ""
+msgstr "將深色主題設定為深色"
-#: src/view/screens/Settings/index.tsx:526
+#: src/view/screens/Settings/index.tsx:477
msgid "Sets dark theme to the dim theme"
-msgstr ""
+msgstr "將深色主題設定為暗淡"
#: src/screens/Login/ForgotPasswordForm.tsx:113
msgid "Sets email for password reset"
msgstr "設定用於重設密碼的電子郵件"
-#: src/view/com/auth/login/ForgotPasswordForm.tsx:122
-#~ msgid "Sets hosting provider for password reset"
-#~ msgstr "設定用於密碼重設的主機提供商資訊"
-
#: src/view/com/modals/crop-image/CropImage.web.tsx:124
msgid "Sets image aspect ratio to square"
-msgstr ""
+msgstr "將圖片寬高比設定為正方形"
#: src/view/com/modals/crop-image/CropImage.web.tsx:114
msgid "Sets image aspect ratio to tall"
-msgstr ""
+msgstr "將圖像的寬高比設定為高"
#: src/view/com/modals/crop-image/CropImage.web.tsx:104
msgid "Sets image aspect ratio to wide"
-msgstr ""
-
-#: src/view/com/auth/create/Step1.tsx:97
-#: src/view/com/auth/login/LoginForm.tsx:154
-#~ msgid "Sets server for the Bluesky client"
-#~ msgstr "設定 Bluesky 用戶端的伺服器"
+msgstr "將圖像的寬高比設定為寬"
#: src/Navigation.tsx:139
-#: src/view/screens/Settings/index.tsx:313
+#: src/view/screens/Settings/index.tsx:316
#: src/view/shell/desktop/LeftNav.tsx:437
-#: src/view/shell/Drawer.tsx:570
-#: src/view/shell/Drawer.tsx:571
+#: src/view/shell/Drawer.tsx:576
+#: src/view/shell/Drawer.tsx:577
msgid "Settings"
msgstr "設定"
@@ -4459,7 +3998,7 @@ msgstr "性行為或性暗示裸露。"
#: src/lib/moderation/useGlobalLabelStrings.ts:38
msgid "Sexually Suggestive"
-msgstr ""
+msgstr "性暗示"
#: src/view/com/lightbox/Lightbox.tsx:141
msgctxt "action"
@@ -4468,38 +4007,38 @@ msgstr "分享"
#: src/view/com/profile/ProfileMenu.tsx:215
#: src/view/com/profile/ProfileMenu.tsx:224
-#: src/view/com/util/forms/PostDropdownBtn.tsx:228
-#: src/view/com/util/forms/PostDropdownBtn.tsx:237
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:235
-#: src/view/screens/ProfileList.tsx:388
+#: src/view/com/util/forms/PostDropdownBtn.tsx:236
+#: src/view/com/util/forms/PostDropdownBtn.tsx:245
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:237
+#: src/view/screens/ProfileList.tsx:390
msgid "Share"
msgstr "分享"
#: src/view/com/profile/ProfileMenu.tsx:373
-#: src/view/com/util/forms/PostDropdownBtn.tsx:347
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:251
+#: src/view/com/util/forms/PostDropdownBtn.tsx:369
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:253
msgid "Share anyway"
-msgstr ""
+msgstr "仍然分享"
-#: src/view/screens/ProfileFeed.tsx:362
-#: src/view/screens/ProfileFeed.tsx:364
+#: src/view/screens/ProfileFeed.tsx:373
+#: src/view/screens/ProfileFeed.tsx:375
msgid "Share feed"
msgstr "分享訊息流"
#: src/view/com/modals/LinkWarning.tsx:89
#: src/view/com/modals/LinkWarning.tsx:95
msgid "Share Link"
-msgstr ""
+msgstr "分享連結"
#: src/view/com/modals/LinkWarning.tsx:92
msgid "Shares the linked website"
-msgstr ""
+msgstr "分享連結的網站"
#: src/components/moderation/ContentHider.tsx:115
#: src/components/moderation/LabelPreference.tsx:136
#: src/components/moderation/PostHider.tsx:107
#: src/screens/Onboarding/StepModeration/ModerationOption.tsx:54
-#: src/view/screens/Settings/index.tsx:363
+#: src/view/screens/Settings/index.tsx:366
msgid "Show"
msgstr "顯示"
@@ -4515,23 +4054,19 @@ msgstr "仍然顯示"
#: src/lib/moderation/useLabelBehaviorDescription.ts:27
#: src/lib/moderation/useLabelBehaviorDescription.ts:63
msgid "Show badge"
-msgstr ""
+msgstr "顯示徽章"
#: src/lib/moderation/useLabelBehaviorDescription.ts:61
msgid "Show badge and filter from feeds"
-msgstr ""
-
-#: src/view/com/modals/EmbedConsent.tsx:87
-#~ msgid "Show embeds from {0}"
-#~ msgstr "顯示來自 {0} 的嵌入內容"
+msgstr "顯示徽章並從訊息流中篩選"
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:200
msgid "Show follows similar to {0}"
msgstr "顯示類似於 {0} 的跟隨者"
-#: src/view/com/post-thread/PostThreadItem.tsx:507
-#: src/view/com/post/Post.tsx:201
-#: src/view/com/posts/FeedItem.tsx:355
+#: src/view/com/post-thread/PostThreadItem.tsx:501
+#: src/view/com/post/Post.tsx:212
+#: src/view/com/posts/FeedItem.tsx:360
msgid "Show More"
msgstr "顯示更多"
@@ -4588,53 +4123,43 @@ msgstr "在跟隨中顯示轉發"
msgid "Show the content"
msgstr "顯示內容"
-#: src/view/com/notifications/FeedItem.tsx:351
+#: src/view/com/notifications/FeedItem.tsx:353
msgid "Show users"
msgstr "顯示使用者"
#: src/lib/moderation/useLabelBehaviorDescription.ts:58
msgid "Show warning"
-msgstr ""
+msgstr "顯示警告"
#: src/lib/moderation/useLabelBehaviorDescription.ts:56
msgid "Show warning and filter from feeds"
-msgstr ""
-
-#: src/view/com/profile/ProfileHeader.tsx:462
-#~ msgid "Shows a list of users similar to this user."
-#~ msgstr "顯示與該使用者相似的使用者列表。"
+msgstr "顯示警告並從訊息流中篩選"
#: src/view/com/post-thread/PostThreadFollowBtn.tsx:130
msgid "Shows posts from {0} in your feed"
msgstr "在你的訊息流中顯示來自 {0} 的貼文"
+#: src/components/dialogs/Signin.tsx:97
+#: src/components/dialogs/Signin.tsx:99
#: src/screens/Login/index.tsx:100
#: src/screens/Login/index.tsx:119
#: src/screens/Login/LoginForm.tsx:131
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:73
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:83
-#: src/view/com/auth/SplashScreen.tsx:81
-#: src/view/com/auth/SplashScreen.tsx:90
-#: src/view/com/auth/SplashScreen.web.tsx:110
-#: src/view/com/auth/SplashScreen.web.tsx:119
-#: src/view/shell/bottom-bar/BottomBar.tsx:300
+#: src/view/com/auth/SplashScreen.tsx:63
+#: src/view/com/auth/SplashScreen.tsx:72
+#: src/view/com/auth/SplashScreen.web.tsx:107
+#: src/view/com/auth/SplashScreen.web.tsx:116
#: src/view/shell/bottom-bar/BottomBar.tsx:301
-#: src/view/shell/bottom-bar/BottomBar.tsx:303
+#: src/view/shell/bottom-bar/BottomBar.tsx:302
+#: src/view/shell/bottom-bar/BottomBar.tsx:304
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:178
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:179
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:181
-#: src/view/shell/NavSignupCard.tsx:58
-#: src/view/shell/NavSignupCard.tsx:59
-#: src/view/shell/NavSignupCard.tsx:61
+#: src/view/shell/NavSignupCard.tsx:63
+#: src/view/shell/NavSignupCard.tsx:64
+#: src/view/shell/NavSignupCard.tsx:66
msgid "Sign in"
msgstr "登入"
-#: src/view/com/auth/HomeLoggedOutCTA.tsx:82
-#: src/view/com/auth/SplashScreen.tsx:86
-#: src/view/com/auth/SplashScreen.web.tsx:91
-#~ msgid "Sign In"
-#~ msgstr "登入"
-
#: src/components/AccountList.tsx:109
msgid "Sign in as {0}"
msgstr "以 {0} 登入"
@@ -4643,28 +4168,32 @@ msgstr "以 {0} 登入"
msgid "Sign in as..."
msgstr "登入為…"
-#: src/view/com/auth/login/LoginForm.tsx:140
-#~ msgid "Sign into"
-#~ msgstr "登入到"
+#: src/components/dialogs/Signin.tsx:75
+msgid "Sign in or create your account to join the conversation!"
+msgstr ""
-#: src/view/screens/Settings/index.tsx:107
-#: src/view/screens/Settings/index.tsx:110
+#: src/components/dialogs/Signin.tsx:46
+msgid "Sign into Bluesky or create a new account"
+msgstr ""
+
+#: src/view/screens/Settings/index.tsx:118
+#: src/view/screens/Settings/index.tsx:121
msgid "Sign out"
msgstr "登出"
-#: src/view/shell/bottom-bar/BottomBar.tsx:290
#: src/view/shell/bottom-bar/BottomBar.tsx:291
-#: src/view/shell/bottom-bar/BottomBar.tsx:293
+#: src/view/shell/bottom-bar/BottomBar.tsx:292
+#: src/view/shell/bottom-bar/BottomBar.tsx:294
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:168
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:169
#: src/view/shell/bottom-bar/BottomBarWeb.tsx:171
-#: src/view/shell/NavSignupCard.tsx:49
-#: src/view/shell/NavSignupCard.tsx:50
-#: src/view/shell/NavSignupCard.tsx:52
+#: src/view/shell/NavSignupCard.tsx:54
+#: src/view/shell/NavSignupCard.tsx:55
+#: src/view/shell/NavSignupCard.tsx:57
msgid "Sign up"
msgstr "註冊"
-#: src/view/shell/NavSignupCard.tsx:42
+#: src/view/shell/NavSignupCard.tsx:47
msgid "Sign up or sign in to join the conversation"
msgstr "註冊或登入以參與對話"
@@ -4673,7 +4202,7 @@ msgstr "註冊或登入以參與對話"
msgid "Sign-in Required"
msgstr "需要登入"
-#: src/view/screens/Settings/index.tsx:374
+#: src/view/screens/Settings/index.tsx:377
msgid "Signed in as"
msgstr "登入身分"
@@ -4681,10 +4210,6 @@ msgstr "登入身分"
msgid "Signed in as @{0}"
msgstr "以 @{0} 身分登入"
-#: src/view/com/modals/SwitchAccount.tsx:70
-#~ msgid "Signs {0} out of Bluesky"
-#~ msgstr "從 {0} 登出 Bluesky"
-
#: src/screens/Onboarding/StepInterests/index.tsx:239
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:203
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:35
@@ -4695,33 +4220,17 @@ msgstr "跳過"
msgid "Skip this flow"
msgstr "跳過此流程"
-#: src/view/com/auth/create/Step2.tsx:82
-#~ msgid "SMS verification"
-#~ msgstr "簡訊驗證"
-
#: src/screens/Onboarding/index.tsx:40
msgid "Software Dev"
msgstr "軟體開發"
-#: src/view/com/modals/ProfilePreview.tsx:62
-#~ msgid "Something went wrong and we're not sure what."
-#~ msgstr "發生了一些問題,我們不確定是什麼原因。"
-
#: src/components/ReportDialog/index.tsx:59
#: src/screens/Moderation/index.tsx:114
-#: src/screens/Profile/Sections/Labels.tsx:76
+#: src/screens/Profile/Sections/Labels.tsx:87
msgid "Something went wrong, please try again."
-msgstr ""
-
-#: src/components/Lists.tsx:203
-#~ msgid "Something went wrong!"
-#~ msgstr "發生了一些問題!"
-
-#: src/view/com/modals/Waitlist.tsx:51
-#~ msgid "Something went wrong. Check your email and try again."
-#~ msgstr "發生了一些問題。請檢查你的電子郵件,然後重試。"
+msgstr "發生了一些問題,請重試。"
-#: src/App.native.tsx:66
+#: src/App.native.tsx:64
msgid "Sorry! Your session expired. Please log in again."
msgstr "抱歉!你的登入已過期。請重新登入。"
@@ -4735,15 +4244,15 @@ msgstr "對同一貼文的回覆進行排序:"
#: src/components/moderation/LabelsOnMeDialog.tsx:146
msgid "Source:"
-msgstr ""
+msgstr "來源:"
#: src/lib/moderation/useReportOptions.ts:65
msgid "Spam"
-msgstr ""
+msgstr "垃圾訊息"
#: src/lib/moderation/useReportOptions.ts:53
msgid "Spam; excessive mentions or replies"
-msgstr ""
+msgstr "垃圾訊息;過多的提及或回复"
#: src/screens/Onboarding/index.tsx:30
msgid "Sports"
@@ -4753,28 +4262,20 @@ msgstr "運動"
msgid "Square"
msgstr "方塊"
-#: src/view/com/modals/ServerInput.tsx:62
-#~ msgid "Staging"
-#~ msgstr "臨時"
-
-#: src/view/screens/Settings/index.tsx:903
+#: src/view/screens/Settings/index.tsx:867
msgid "Status page"
msgstr "狀態頁"
-#: src/screens/Signup/index.tsx:142
+#: src/screens/Signup/index.tsx:143
msgid "Step"
-msgstr ""
+msgstr "Step"
-#: src/view/com/auth/create/StepHeader.tsx:22
-#~ msgid "Step {0} of {numSteps}"
-#~ msgstr "第 {0} 步,共 {numSteps} 步"
-
-#: src/view/screens/Settings/index.tsx:292
+#: src/view/screens/Settings/index.tsx:295
msgid "Storage cleared, you need to restart the app now."
msgstr "已清除儲存資料,你需要立即重啟應用程式。"
#: src/Navigation.tsx:211
-#: src/view/screens/Settings/index.tsx:831
+#: src/view/screens/Settings/index.tsx:795
msgid "Storybook"
msgstr "故事書"
@@ -4783,32 +4284,32 @@ msgstr "故事書"
msgid "Submit"
msgstr "提交"
-#: src/view/screens/ProfileList.tsx:590
+#: src/view/screens/ProfileList.tsx:592
msgid "Subscribe"
msgstr "訂閱"
-#: src/screens/Profile/Sections/Labels.tsx:180
+#: src/screens/Profile/Sections/Labels.tsx:191
msgid "Subscribe to @{0} to use these labels:"
-msgstr ""
+msgstr "訂閱 @{0} 以使用這些標籤:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:221
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:227
msgid "Subscribe to Labeler"
-msgstr ""
+msgstr "訂閱標籤者"
#: src/screens/Onboarding/StepAlgoFeeds/FeedCard.tsx:172
#: src/screens/Onboarding/StepAlgoFeeds/FeedCard.tsx:307
msgid "Subscribe to the {0} feed"
msgstr "訂閱 {0} 訊息流"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:184
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:191
msgid "Subscribe to this labeler"
-msgstr ""
+msgstr "訂閱這個標籤者"
-#: src/view/screens/ProfileList.tsx:586
+#: src/view/screens/ProfileList.tsx:588
msgid "Subscribe to this list"
msgstr "訂閱這個列表"
-#: src/view/screens/Search/Search.tsx:376
+#: src/view/screens/Search/Search.tsx:523
msgid "Suggested Follows"
msgstr "推薦的跟隨者"
@@ -4826,42 +4327,34 @@ msgstr "建議"
msgid "Support"
msgstr "支援"
-#: src/view/com/modals/ProfilePreview.tsx:110
-#~ msgid "Swipe up to see more"
-#~ msgstr "向上滑動查看更多"
-
#: src/components/dialogs/SwitchAccount.tsx:46
#: src/components/dialogs/SwitchAccount.tsx:49
msgid "Switch Account"
msgstr "切換帳號"
-#: src/view/screens/Settings/index.tsx:139
+#: src/view/screens/Settings/index.tsx:150
msgid "Switch to {0}"
msgstr "切換到 {0}"
-#: src/view/screens/Settings/index.tsx:140
+#: src/view/screens/Settings/index.tsx:151
msgid "Switches the account you are logged in to"
msgstr "切換你登入的帳號"
-#: src/view/screens/Settings/index.tsx:491
+#: src/view/screens/Settings/index.tsx:442
msgid "System"
msgstr "系統"
-#: src/view/screens/Settings/index.tsx:819
+#: src/view/screens/Settings/index.tsx:783
msgid "System log"
msgstr "系統日誌"
#: src/components/dialogs/MutedWords.tsx:323
msgid "tag"
-msgstr ""
+msgstr "標籤"
#: src/components/TagMenu/index.tsx:78
msgid "Tag menu: {displayTag}"
-msgstr ""
-
-#: src/components/TagMenu/index.tsx:74
-#~ msgid "Tag menu: {tag}"
-#~ msgstr ""
+msgstr "標籤選單:{displayTag}"
#: src/view/com/modals/crop-image/CropImage.web.tsx:113
msgid "Tall"
@@ -4881,9 +4374,9 @@ msgstr "條款"
#: src/Navigation.tsx:236
#: src/screens/Signup/StepInfo/Policies.tsx:49
-#: src/view/screens/Settings/index.tsx:917
+#: src/view/screens/Settings/index.tsx:881
#: src/view/screens/TermsOfService.tsx:29
-#: src/view/shell/Drawer.tsx:259
+#: src/view/shell/Drawer.tsx:265
msgid "Terms of Service"
msgstr "服務條款"
@@ -4891,7 +4384,7 @@ msgstr "服務條款"
#: src/lib/moderation/useReportOptions.ts:79
#: src/lib/moderation/useReportOptions.ts:87
msgid "Terms used violate community standards"
-msgstr ""
+msgstr "所使用的文字違反了社群標準"
#: src/components/dialogs/MutedWords.tsx:323
msgid "text"
@@ -4901,26 +4394,26 @@ msgstr "文字"
msgid "Text input field"
msgstr "文字輸入框"
-#: src/components/ReportDialog/SubmitView.tsx:78
+#: src/components/ReportDialog/SubmitView.tsx:76
msgid "Thank you. Your report has been sent."
-msgstr ""
+msgstr "謝謝,你的檢舉已提交。"
#: src/view/com/modals/ChangeHandle.tsx:465
msgid "That contains the following:"
-msgstr ""
+msgstr "其中包含以下內容:"
-#: src/screens/Signup/index.tsx:84
+#: src/screens/Signup/index.tsx:85
msgid "That handle is already taken."
msgstr "這個帳號代碼已被使用。"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:283
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:282
#: src/view/com/profile/ProfileMenu.tsx:349
msgid "The account will be able to interact with you after unblocking."
msgstr "解除封鎖後,該帳號將能夠與你互動。"
#: src/components/moderation/ModerationDetailsDialog.tsx:127
msgid "the author"
-msgstr ""
+msgstr "作者"
#: src/view/screens/CommunityGuidelines.tsx:36
msgid "The Community Guidelines have been moved to <0/>"
@@ -4932,11 +4425,11 @@ msgstr "版權政策已移動到 <0/>"
#: src/components/moderation/LabelsOnMeDialog.tsx:48
msgid "The following labels were applied to your account."
-msgstr ""
+msgstr "以下標籤已套用到你的帳戶。"
#: src/components/moderation/LabelsOnMeDialog.tsx:49
msgid "The following labels were applied to your content."
-msgstr ""
+msgstr "以下標籤已套用到你的內容。"
#: src/screens/Onboarding/Layout.tsx:58
msgid "The following steps will help customize your Bluesky experience."
@@ -4945,7 +4438,7 @@ msgstr "以下步驟將幫助自訂你的 Bluesky 體驗。"
#: src/view/com/post-thread/PostThread.tsx:153
#: src/view/com/post-thread/PostThread.tsx:165
msgid "The post may have been deleted."
-msgstr "此貼文可能已被刪除。"
+msgstr "這則貼文可能已被刪除。"
#: src/view/screens/PrivacyPolicy.tsx:33
msgid "The Privacy Policy has been moved to <0/>"
@@ -4963,8 +4456,8 @@ msgstr "服務條款已遷移到"
msgid "There are many feeds to try:"
msgstr "這裡有些訊息流你可以嘗試:"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:112
-#: src/view/screens/ProfileFeed.tsx:544
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:114
+#: src/view/screens/ProfileFeed.tsx:556
msgid "There was an an issue contacting the server, please check your internet connection and try again."
msgstr "連線至伺服器時出現問題,請檢查你的網路連線並重試。"
@@ -4972,15 +4465,15 @@ msgstr "連線至伺服器時出現問題,請檢查你的網路連線並重試
msgid "There was an an issue removing this feed. Please check your internet connection and try again."
msgstr "刪除訊息流時出現問題,請檢查你的網路連線並重試。"
-#: src/view/screens/ProfileFeed.tsx:218
+#: src/view/screens/ProfileFeed.tsx:219
msgid "There was an an issue updating your feeds, please check your internet connection and try again."
msgstr "更新訊息流時出現問題,請檢查你的網路連線並重試。"
-#: src/view/screens/ProfileFeed.tsx:245
-#: src/view/screens/ProfileList.tsx:275
-#: src/view/screens/SavedFeeds.tsx:209
-#: src/view/screens/SavedFeeds.tsx:231
-#: src/view/screens/SavedFeeds.tsx:252
+#: src/view/screens/ProfileFeed.tsx:247
+#: src/view/screens/ProfileList.tsx:277
+#: src/view/screens/SavedFeeds.tsx:211
+#: src/view/screens/SavedFeeds.tsx:241
+#: src/view/screens/SavedFeeds.tsx:262
msgid "There was an issue contacting the server"
msgstr "連線伺服器時出現問題"
@@ -5003,18 +4496,18 @@ msgstr "取得貼文時發生問題,點擊這裡重試。"
msgid "There was an issue fetching the list. Tap here to try again."
msgstr "取得列表時發生問題,點擊這裡重試。"
-#: src/view/com/feeds/ProfileFeedgens.tsx:148
-#: src/view/com/lists/ProfileLists.tsx:155
+#: src/view/com/feeds/ProfileFeedgens.tsx:156
+#: src/view/com/lists/ProfileLists.tsx:163
msgid "There was an issue fetching your lists. Tap here to try again."
msgstr "取得列表時發生問題,點擊這裡重試。"
-#: src/components/ReportDialog/SubmitView.tsx:83
+#: src/components/ReportDialog/SubmitView.tsx:81
msgid "There was an issue sending your report. Please check your internet connection."
-msgstr ""
+msgstr "提交你的檢舉時出現問題,請檢查你的網路連線。"
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:65
msgid "There was an issue syncing your preferences with the server"
-msgstr "與伺服器同步偏好設定時發生問題"
+msgstr "與伺服器同步設定偏好時發生問題"
#: src/view/screens/AppPasswords.tsx:68
msgid "There was an issue with fetching your app passwords"
@@ -5034,10 +4527,10 @@ msgstr "取得應用程式專用密碼時發生問題"
msgid "There was an issue! {0}"
msgstr "發生問題了!{0}"
-#: src/view/screens/ProfileList.tsx:288
-#: src/view/screens/ProfileList.tsx:302
-#: src/view/screens/ProfileList.tsx:316
-#: src/view/screens/ProfileList.tsx:330
+#: src/view/screens/ProfileList.tsx:290
+#: src/view/screens/ProfileList.tsx:304
+#: src/view/screens/ProfileList.tsx:318
+#: src/view/screens/ProfileList.tsx:332
msgid "There was an issue. Please check your internet connection and try again."
msgstr "發生問題了。請檢查你的網路連線並重試。"
@@ -5049,10 +4542,6 @@ msgstr "應用程式中發生了意外問題。請告訴我們是否發生在你
msgid "There's been a rush of new users to Bluesky! We'll activate your account as soon as we can."
msgstr "Bluesky 迎來了大量新使用者!我們將儘快啟用你的帳號。"
-#: src/view/com/auth/create/Step2.tsx:55
-#~ msgid "There's something wrong with this number. Please choose your country and enter your full phone number!"
-#~ msgstr "電話號碼有誤,請選擇區號並輸入完整的電話號碼!"
-
#: src/screens/Onboarding/StepSuggestedAccounts/index.tsx:146
msgid "These are popular accounts you might like:"
msgstr "這裡是一些受歡迎的帳號,你可能會喜歡:"
@@ -5067,15 +4556,15 @@ msgstr "此帳號要求使用者登入後才能查看其個人資料。"
#: src/components/moderation/LabelsOnMeDialog.tsx:204
msgid "This appeal will be sent to <0>{0}0>."
-msgstr ""
+msgstr "此申訴將被提交至 <0>{0}0>。"
#: src/lib/moderation/useGlobalLabelStrings.ts:19
msgid "This content has been hidden by the moderators."
-msgstr ""
+msgstr "此內容已被限制提供者隱藏。"
#: src/lib/moderation/useGlobalLabelStrings.ts:24
msgid "This content has received a general warning from moderators."
-msgstr ""
+msgstr "此內容已套用限制提供者所設定的一般警告。"
#: src/components/dialogs/EmbedConsent.tsx:64
msgid "This content is hosted by {0}. Do you want to enable external media?"
@@ -5090,21 +4579,17 @@ msgstr "由於其中一個使用者封鎖了另一個使用者,無法查看此
msgid "This content is not viewable without a Bluesky account."
msgstr "沒有 Bluesky 帳號,無法查看此內容。"
-#: src/view/screens/Settings/ExportCarDialog.tsx:75
-#~ msgid "This feature is in beta. You can read more about repository exports in <0>this blogpost.0>"
-#~ msgstr "此功能目前為測試版本。您可以在<0>這篇部落格文章0>中了解更多有關匯出存放庫的資訊"
-
#: src/view/screens/Settings/ExportCarDialog.tsx:75
msgid "This feature is in beta. You can read more about repository exports in <0>this blogpost0>."
-msgstr ""
+msgstr "此功能目前為測試版本。你可以在<0>這篇部落格文章0>中了解更多有關資訊。"
#: src/view/com/posts/FeedErrorMessage.tsx:114
msgid "This feed is currently receiving high traffic and is temporarily unavailable. Please try again later."
msgstr "此訊息流由於目前使用人數眾多而暫時無法使用。請稍後再試。"
-#: src/screens/Profile/Sections/Feed.tsx:50
-#: src/view/screens/ProfileFeed.tsx:477
-#: src/view/screens/ProfileList.tsx:675
+#: src/screens/Profile/Sections/Feed.tsx:59
+#: src/view/screens/ProfileFeed.tsx:488
+#: src/view/screens/ProfileList.tsx:677
msgid "This feed is empty!"
msgstr "這個訊息流是空的!"
@@ -5122,23 +4607,23 @@ msgstr "這很重要,以防你將來需要更改電子郵件地址或重設密
#: src/components/moderation/ModerationDetailsDialog.tsx:124
msgid "This label was applied by {0}."
-msgstr ""
+msgstr "此標籤是由 {0} 套用的。"
-#: src/screens/Profile/Sections/Labels.tsx:167
+#: src/screens/Profile/Sections/Labels.tsx:178
msgid "This labeler hasn't declared what labels it publishes, and may not be active."
-msgstr ""
+msgstr "此標籤者尚未宣告它發佈的標籤,可能不活躍。"
#: src/view/com/modals/LinkWarning.tsx:72
msgid "This link is taking you to the following website:"
msgstr "此連結將帶你到以下網站:"
-#: src/view/screens/ProfileList.tsx:853
+#: src/view/screens/ProfileList.tsx:855
msgid "This list is empty!"
msgstr "此列表為空!"
#: src/screens/Profile/ErrorState.tsx:40
msgid "This moderation service is unavailable. See below for more details. If this issue persists, contact us."
-msgstr ""
+msgstr "此限制服務暫時無法使用,詳情請見下文。如果問題持續存在,請與我們聯絡。"
#: src/view/com/modals/AddAppPasswords.tsx:107
msgid "This name is already in use"
@@ -5146,32 +4631,32 @@ msgstr "此名稱已被使用"
#: src/view/com/post-thread/PostThreadItem.tsx:125
msgid "This post has been deleted."
-msgstr "此貼文已被刪除。"
+msgstr "這則貼文已被刪除。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:344
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:248
+#: src/view/com/util/forms/PostDropdownBtn.tsx:366
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:250
msgid "This post is only visible to logged-in users. It won't be visible to people who aren't logged in."
-msgstr ""
+msgstr "這則貼文僅對登入使用者可見。 未登入的人將看不到它。"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:326
+#: src/view/com/util/forms/PostDropdownBtn.tsx:348
msgid "This post will be hidden from feeds."
-msgstr ""
+msgstr "這則貼文將從訊息流中被隱藏。"
#: src/view/com/profile/ProfileMenu.tsx:370
msgid "This profile is only visible to logged-in users. It won't be visible to people who aren't logged in."
-msgstr ""
+msgstr "此個人資料僅對登入使用者可見。 未登入的人將看不到它。"
#: src/screens/Signup/StepInfo/Policies.tsx:37
msgid "This service has not provided terms of service or a privacy policy."
-msgstr ""
+msgstr "此服務尚未提供服務條款或隱私政策。"
#: src/view/com/modals/ChangeHandle.tsx:445
msgid "This should create a domain record at:"
-msgstr ""
+msgstr "這應該在以下位置創建一個域記錄:"
#: src/view/com/profile/ProfileFollowers.tsx:87
msgid "This user doesn't have any followers."
-msgstr ""
+msgstr "此使用者沒有任何追隨者。"
#: src/components/moderation/ModerationDetailsDialog.tsx:72
#: src/lib/moderation/useModerationCauseDescription.ts:68
@@ -5180,31 +4665,19 @@ msgstr "此使用者已封鎖你,你無法查看他們的內容。"
#: src/lib/moderation/useGlobalLabelStrings.ts:30
msgid "This user has requested that their content only be shown to signed-in users."
-msgstr ""
-
-#: src/view/com/modals/ModerationDetails.tsx:42
-#~ msgid "This user is included in the <0/> list which you have blocked."
-#~ msgstr "此使用者包含在你已封鎖的 <0/> 列表中。"
-
-#: src/view/com/modals/ModerationDetails.tsx:74
-#~ msgid "This user is included in the <0/> list which you have muted."
-#~ msgstr "此使用者包含在你已靜音的 <0/> 列表中。"
+msgstr "此用戶要求僅將其內容顯示給已登錄的用戶。"
#: src/components/moderation/ModerationDetailsDialog.tsx:55
msgid "This user is included in the <0>{0}0> list which you have blocked."
-msgstr ""
+msgstr "此使用者包含在你已封鎖的 <0>{0}0> 列表中。"
#: src/components/moderation/ModerationDetailsDialog.tsx:84
msgid "This user is included in the <0>{0}0> list which you have muted."
-msgstr ""
-
-#: src/view/com/modals/ModerationDetails.tsx:74
-#~ msgid "This user is included the <0/> list which you have muted."
-#~ msgstr "此使用者包含在你已靜音的 <0/> 列表中。"
+msgstr "此使用者包含在你已靜音的 <0>{0}0> 列表中。"
#: src/view/com/profile/ProfileFollows.tsx:87
msgid "This user isn't following anyone."
-msgstr ""
+msgstr "此使用者未跟隨任何人。"
#: src/view/com/modals/SelfLabel.tsx:137
msgid "This warning is only available for posts with media attached."
@@ -5212,18 +4685,14 @@ msgstr "此警告僅適用於附帶媒體的貼文。"
#: src/components/dialogs/MutedWords.tsx:283
msgid "This will delete {0} from your muted words. You can always add it back later."
-msgstr ""
-
-#: src/view/com/util/forms/PostDropdownBtn.tsx:282
-#~ msgid "This will hide this post from your feeds."
-#~ msgstr "這將在你的訊息流中隱藏此貼文。"
+msgstr "這將從你的靜音詞中刪除 {0},你隨時可以在稍後添加回來。"
-#: src/view/screens/Settings/index.tsx:574
+#: src/view/screens/Settings/index.tsx:525
msgid "Thread preferences"
-msgstr ""
+msgstr "對話串偏好"
#: src/view/screens/PreferencesThreads.tsx:53
-#: src/view/screens/Settings/index.tsx:584
+#: src/view/screens/Settings/index.tsx:535
msgid "Thread Preferences"
msgstr "對話串偏好"
@@ -5237,11 +4706,11 @@ msgstr "對話串偏好"
#: src/components/ReportDialog/SelectLabelerView.tsx:33
msgid "To whom would you like to send this report?"
-msgstr ""
+msgstr "你希望向誰提交此檢舉?"
#: src/components/dialogs/MutedWords.tsx:112
msgid "Toggle between muted word options."
-msgstr ""
+msgstr "在靜音詞選項之間切換。"
#: src/view/com/util/forms/DropdownButton.tsx:246
msgid "Toggle dropdown"
@@ -5249,16 +4718,20 @@ msgstr "切換下拉式選單"
#: src/screens/Moderation/index.tsx:332
msgid "Toggle to enable or disable adult content"
+msgstr "切換以啟用或禁用成人內容"
+
+#: src/view/screens/Search/Search.tsx:427
+msgid "Top"
msgstr ""
#: src/view/com/modals/EditImage.tsx:272
msgid "Transformations"
msgstr "轉換"
-#: src/view/com/post-thread/PostThreadItem.tsx:644
-#: src/view/com/post-thread/PostThreadItem.tsx:646
-#: src/view/com/util/forms/PostDropdownBtn.tsx:212
-#: src/view/com/util/forms/PostDropdownBtn.tsx:214
+#: src/view/com/post-thread/PostThreadItem.tsx:638
+#: src/view/com/post-thread/PostThreadItem.tsx:640
+#: src/view/com/util/forms/PostDropdownBtn.tsx:220
+#: src/view/com/util/forms/PostDropdownBtn.tsx:222
msgid "Translate"
msgstr "翻譯"
@@ -5269,13 +4742,13 @@ msgstr "重試"
#: src/view/com/modals/ChangeHandle.tsx:428
msgid "Type:"
-msgstr ""
+msgstr "類型:"
-#: src/view/screens/ProfileList.tsx:478
+#: src/view/screens/ProfileList.tsx:480
msgid "Un-block list"
msgstr "取消封鎖列表"
-#: src/view/screens/ProfileList.tsx:461
+#: src/view/screens/ProfileList.tsx:463
msgid "Un-mute list"
msgstr "取消靜音列表"
@@ -5283,15 +4756,15 @@ msgstr "取消靜音列表"
#: src/screens/Login/index.tsx:78
#: src/screens/Login/LoginForm.tsx:119
#: src/screens/Login/SetNewPasswordForm.tsx:77
-#: src/screens/Signup/index.tsx:63
+#: src/screens/Signup/index.tsx:64
#: src/view/com/modals/ChangePassword.tsx:70
msgid "Unable to contact your service. Please check your Internet connection."
msgstr "無法連線到服務,請檢查你的網路連線。"
#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:181
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:287
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:286
#: src/view/com/profile/ProfileMenu.tsx:361
-#: src/view/screens/ProfileList.tsx:572
+#: src/view/screens/ProfileList.tsx:574
msgid "Unblock"
msgstr "取消封鎖"
@@ -5305,10 +4778,10 @@ msgstr "取消封鎖"
msgid "Unblock Account"
msgstr "取消封鎖"
-#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:281
+#: src/screens/Profile/Header/ProfileHeaderStandard.tsx:280
#: src/view/com/profile/ProfileMenu.tsx:343
msgid "Unblock Account?"
-msgstr ""
+msgstr "取消封鎖?"
#: src/view/com/modals/Repost.tsx:43
#: src/view/com/modals/Repost.tsx:56
@@ -5318,9 +4791,9 @@ msgid "Undo repost"
msgstr "取消轉發"
#: src/view/com/auth/onboarding/RecommendedFollowsItem.tsx:141
-#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:246
+#: src/view/com/profile/ProfileHeaderSuggestedFollows.tsx:248
msgid "Unfollow"
-msgstr ""
+msgstr "取消跟隨"
#: src/view/com/profile/FollowButton.tsx:60
msgctxt "action"
@@ -5334,28 +4807,24 @@ msgstr "取消跟隨 {0}"
#: src/view/com/profile/ProfileMenu.tsx:241
#: src/view/com/profile/ProfileMenu.tsx:251
msgid "Unfollow Account"
-msgstr ""
-
-#: src/view/com/auth/create/state.ts:262
-#~ msgid "Unfortunately, you do not meet the requirements to create an account."
-#~ msgstr "很遺憾,你不符合建立帳號的要求。"
+msgstr "取消跟隨"
-#: src/view/com/util/post-ctrls/PostCtrls.tsx:195
+#: src/view/com/util/post-ctrls/PostCtrls.tsx:197
msgid "Unlike"
msgstr "取消喜歡"
-#: src/view/screens/ProfileFeed.tsx:573
+#: src/view/screens/ProfileFeed.tsx:585
msgid "Unlike this feed"
-msgstr ""
+msgstr "取消喜歡這個訊息流"
#: src/components/TagMenu/index.tsx:249
-#: src/view/screens/ProfileList.tsx:579
+#: src/view/screens/ProfileList.tsx:581
msgid "Unmute"
msgstr "取消靜音"
#: src/components/TagMenu/index.web.tsx:104
msgid "Unmute {truncatedTag}"
-msgstr ""
+msgstr "取消靜音 {truncatedTag}"
#: src/view/com/profile/ProfileMenu.tsx:278
#: src/view/com/profile/ProfileMenu.tsx:284
@@ -5364,57 +4833,45 @@ msgstr "取消靜音帳號"
#: src/components/TagMenu/index.tsx:208
msgid "Unmute all {displayTag} posts"
-msgstr ""
-
-#: src/components/TagMenu/index.tsx:210
-#~ msgid "Unmute all {tag} posts"
-#~ msgstr ""
+msgstr "取消對所有 {displayTag} 貼文的靜音"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:251
-#: src/view/com/util/forms/PostDropdownBtn.tsx:256
+#: src/view/com/util/forms/PostDropdownBtn.tsx:269
+#: src/view/com/util/forms/PostDropdownBtn.tsx:274
msgid "Unmute thread"
msgstr "取消靜音對話串"
-#: src/view/screens/ProfileFeed.tsx:295
-#: src/view/screens/ProfileList.tsx:563
+#: src/view/screens/ProfileFeed.tsx:306
+#: src/view/screens/ProfileList.tsx:565
msgid "Unpin"
msgstr "取消固定"
-#: src/view/screens/ProfileFeed.tsx:292
+#: src/view/screens/ProfileFeed.tsx:303
msgid "Unpin from home"
-msgstr ""
+msgstr "取消固定在首頁"
-#: src/view/screens/ProfileList.tsx:444
+#: src/view/screens/ProfileList.tsx:446
msgid "Unpin moderation list"
msgstr "取消固定限制列表"
-#: src/view/screens/ProfileFeed.tsx:346
-#~ msgid "Unsave"
-#~ msgstr "取消儲存"
-
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:219
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:225
msgid "Unsubscribe"
-msgstr ""
+msgstr "取消訂閱"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:183
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:190
msgid "Unsubscribe from this labeler"
-msgstr ""
+msgstr "取消訂閱這個標籤者"
#: src/lib/moderation/useReportOptions.ts:70
msgid "Unwanted Sexual Content"
-msgstr ""
+msgstr "無關情色內容"
#: src/view/com/modals/UserAddRemoveLists.tsx:70
msgid "Update {displayName} in Lists"
msgstr "更新列表中的 {displayName}"
-#: src/lib/hooks/useOTAUpdate.ts:15
-#~ msgid "Update Available"
-#~ msgstr "更新可用"
-
#: src/view/com/modals/ChangeHandle.tsx:508
msgid "Update to {handle}"
-msgstr ""
+msgstr "更新至 {handle}"
#: src/screens/Login/SetNewPasswordForm.tsx:186
msgid "Updating..."
@@ -5424,36 +4881,36 @@ msgstr "更新中…"
msgid "Upload a text file to:"
msgstr "上傳文字檔案至:"
-#: src/view/com/util/UserAvatar.tsx:326
-#: src/view/com/util/UserAvatar.tsx:329
+#: src/view/com/util/UserAvatar.tsx:328
+#: src/view/com/util/UserAvatar.tsx:331
#: src/view/com/util/UserBanner.tsx:116
#: src/view/com/util/UserBanner.tsx:119
msgid "Upload from Camera"
-msgstr ""
+msgstr "從相機上傳"
-#: src/view/com/util/UserAvatar.tsx:343
+#: src/view/com/util/UserAvatar.tsx:345
#: src/view/com/util/UserBanner.tsx:133
msgid "Upload from Files"
-msgstr ""
+msgstr "從檔案上傳"
-#: src/view/com/util/UserAvatar.tsx:337
-#: src/view/com/util/UserAvatar.tsx:341
+#: src/view/com/util/UserAvatar.tsx:339
+#: src/view/com/util/UserAvatar.tsx:343
#: src/view/com/util/UserBanner.tsx:127
#: src/view/com/util/UserBanner.tsx:131
msgid "Upload from Library"
-msgstr ""
+msgstr "從圖庫上傳"
#: src/view/com/modals/ChangeHandle.tsx:408
msgid "Use a file on your server"
-msgstr ""
+msgstr "使用伺服器上的檔案"
#: src/view/screens/AppPasswords.tsx:197
msgid "Use app passwords to login to other Bluesky clients without giving full access to your account or password."
-msgstr "使用應用程式專用密碼登入到其他 Bluesky 用戶端,而無需提供你的帳號或密碼。"
+msgstr "使用應用程式專用密碼登入到其他 Bluesky 使用者端,而無需提供你的帳號或密碼。"
#: src/view/com/modals/ChangeHandle.tsx:517
msgid "Use bsky.social as hosting provider"
-msgstr ""
+msgstr "使用 bsky.social 作為主機提供商"
#: src/view/com/modals/ChangeHandle.tsx:516
msgid "Use default provider"
@@ -5471,16 +4928,12 @@ msgstr "使用我的預設瀏覽器"
#: src/view/com/modals/ChangeHandle.tsx:400
msgid "Use the DNS panel"
-msgstr ""
+msgstr "使用 DNS 控制台"
#: src/view/com/modals/AddAppPasswords.tsx:156
msgid "Use this to sign into the other app along with your handle."
msgstr "使用這個和你的帳號代碼一起登入其他應用程式。"
-#: src/view/com/modals/ServerInput.tsx:105
-#~ msgid "Use your domain as your Bluesky client service provider"
-#~ msgstr "將你的網域用作 Bluesky 用戶端服務提供商"
-
#: src/view/com/modals/InviteCodes.tsx:201
msgid "Used by:"
msgstr "使用者:"
@@ -5492,7 +4945,7 @@ msgstr "使用者被封鎖"
#: src/lib/moderation/useModerationCauseDescription.ts:48
msgid "User Blocked by \"{0}\""
-msgstr ""
+msgstr "使用者被\"{0}\"封鎖"
#: src/components/moderation/ModerationDetailsDialog.tsx:53
msgid "User Blocked by List"
@@ -5500,28 +4953,24 @@ msgstr "使用者被列表封鎖"
#: src/lib/moderation/useModerationCauseDescription.ts:66
msgid "User Blocking You"
-msgstr ""
+msgstr "使用者封鎖了你"
#: src/components/moderation/ModerationDetailsDialog.tsx:70
msgid "User Blocks You"
msgstr "使用者封鎖了你"
-#: src/view/com/auth/create/Step2.tsx:79
-#~ msgid "User handle"
-#~ msgstr "帳號代碼"
-
#: src/view/com/lists/ListCard.tsx:85
#: src/view/com/modals/UserAddRemoveLists.tsx:198
msgid "User list by {0}"
msgstr "{0} 的使用者列表"
-#: src/view/screens/ProfileList.tsx:777
+#: src/view/screens/ProfileList.tsx:779
msgid "User list by <0/>"
msgstr "<0/> 的使用者列表"
#: src/view/com/lists/ListCard.tsx:83
#: src/view/com/modals/UserAddRemoveLists.tsx:196
-#: src/view/screens/ProfileList.tsx:775
+#: src/view/screens/ProfileList.tsx:777
msgid "User list by you"
msgstr "你的使用者列表"
@@ -5541,7 +4990,9 @@ msgstr "使用者列表"
msgid "Username or email address"
msgstr "使用者名稱或電子郵件地址"
-#: src/view/screens/ProfileList.tsx:811
+#: src/view/screens/ProfileList.tsx:813
+#: src/view/screens/Search/Search.tsx:473
+#: src/view/screens/Search/Search.tsx:482
msgid "Users"
msgstr "使用者"
@@ -5555,29 +5006,25 @@ msgstr "「{0}」中的使用者"
#: src/components/LikesDialog.tsx:85
msgid "Users that have liked this content or profile"
-msgstr ""
+msgstr "喜歡此內容或個人資料的使用者"
#: src/view/com/modals/ChangeHandle.tsx:436
msgid "Value:"
-msgstr ""
-
-#: src/view/com/auth/create/Step2.tsx:243
-#~ msgid "Verification code"
-#~ msgstr "驗證碼"
+msgstr "值:"
#: src/view/com/modals/ChangeHandle.tsx:509
msgid "Verify {0}"
-msgstr ""
+msgstr "驗證 {0}"
-#: src/view/screens/Settings/index.tsx:942
+#: src/view/screens/Settings/index.tsx:906
msgid "Verify email"
msgstr "驗證電子郵件"
-#: src/view/screens/Settings/index.tsx:967
+#: src/view/screens/Settings/index.tsx:931
msgid "Verify my email"
msgstr "驗證我的電子郵件"
-#: src/view/screens/Settings/index.tsx:976
+#: src/view/screens/Settings/index.tsx:940
msgid "Verify My Email"
msgstr "驗證我的電子郵件"
@@ -5590,9 +5037,9 @@ msgstr "驗證新的電子郵件"
msgid "Verify Your Email"
msgstr "驗證你的電子郵件"
-#: src/view/screens/Settings/index.tsx:893
+#: src/view/screens/Settings/index.tsx:857
msgid "Version {0}"
-msgstr ""
+msgstr "版本 {0}"
#: src/screens/Onboarding/index.tsx:42
msgid "Video Games"
@@ -5606,13 +5053,13 @@ msgstr "查看{0}的頭貼"
msgid "View debug entry"
msgstr "查看除錯項目"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:131
+#: src/components/ReportDialog/SelectReportOptionView.tsx:132
msgid "View details"
-msgstr ""
+msgstr "查看詳細信息"
-#: src/components/ReportDialog/SelectReportOptionView.tsx:126
+#: src/components/ReportDialog/SelectReportOptionView.tsx:127
msgid "View details for reporting a copyright violation"
-msgstr ""
+msgstr "查看詳細信息以檢舉侵權"
#: src/view/com/posts/FeedSlice.tsx:99
msgid "View full thread"
@@ -5620,8 +5067,10 @@ msgstr "查看整個對話串"
#: src/components/moderation/LabelsOnMe.tsx:51
msgid "View information about these labels"
-msgstr ""
+msgstr "查看有關這些標籤的信息"
+#: src/components/ProfileHoverCard/index.web.tsx:264
+#: src/components/ProfileHoverCard/index.web.tsx:293
#: src/view/com/posts/FeedErrorMessage.tsx:166
msgid "View profile"
msgstr "查看資料"
@@ -5632,11 +5081,11 @@ msgstr "查看頭像"
#: src/components/LabelingServiceCard/index.tsx:140
msgid "View the labeling service provided by @{0}"
-msgstr ""
+msgstr "查看由 @{0} 提供的標籤服務"
-#: src/view/screens/ProfileFeed.tsx:585
+#: src/view/screens/ProfileFeed.tsx:597
msgid "View users who like this feed"
-msgstr ""
+msgstr "查看喜歡此訊息流的使用者"
#: src/view/com/modals/LinkWarning.tsx:89
#: src/view/com/modals/LinkWarning.tsx:95
@@ -5652,19 +5101,15 @@ msgstr "警告"
#: src/lib/moderation/useLabelBehaviorDescription.ts:48
msgid "Warn content"
-msgstr ""
+msgstr "警告內容"
#: src/lib/moderation/useLabelBehaviorDescription.ts:46
msgid "Warn content and filter from feeds"
-msgstr ""
-
-#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:134
-#~ msgid "We also think you'll like \"For You\" by Skygaze:"
-#~ msgstr "我們認為你還會喜歡 Skygaze 維護的「For You」:"
+msgstr "警告內容並從訊息流中過濾"
#: src/screens/Hashtag.tsx:133
msgid "We couldn't find any results for that hashtag."
-msgstr ""
+msgstr "我們找不到任何與該標籤相關的結果。"
#: src/screens/Deactivated.tsx:133
msgid "We estimate {estimatedTime} until your account is ready."
@@ -5680,7 +5125,7 @@ msgstr "你已看完了你跟隨的貼文。這是 <0/> 的最新貼文。"
#: src/components/dialogs/MutedWords.tsx:203
msgid "We recommend avoiding common words that appear in many posts, since it can result in no posts being shown."
-msgstr ""
+msgstr "我們建議避免使用出現在許多貼文中的常用詞語,因為這可能導致沒有貼文可顯示。"
#: src/screens/Onboarding/StepAlgoFeeds/index.tsx:125
msgid "We recommend our \"Discover\" feed:"
@@ -5688,11 +5133,11 @@ msgstr "我們推薦我們的「Discover」訊息流:"
#: src/components/dialogs/BirthDateSettings.tsx:52
msgid "We were unable to load your birth date preferences. Please try again."
-msgstr ""
+msgstr "我們無法加載你的出生日期設定偏好,請再試一次。"
#: src/screens/Moderation/index.tsx:385
msgid "We were unable to load your configured labelers at this time."
-msgstr ""
+msgstr "我們目前無法加載你已配置的標籤者。"
#: src/screens/Onboarding/StepInterests/index.tsx:137
msgid "We weren't able to connect. Please try again to continue setting up your account. If it continues to fail, you can skip this flow."
@@ -5702,27 +5147,23 @@ msgstr "我們無法連線到網際網路,請重試以繼續設定你的帳號
msgid "We will let you know when your account is ready."
msgstr "我們會在你的帳號準備好時通知你。"
-#: src/view/com/modals/AppealLabel.tsx:48
-#~ msgid "We'll look into your appeal promptly."
-#~ msgstr "我們將迅速審查你的申訴。"
-
#: src/screens/Onboarding/StepInterests/index.tsx:142
msgid "We'll use this to help customize your experience."
msgstr "我們將使用這些資訊來幫助定制你的體驗。"
-#: src/screens/Signup/index.tsx:130
+#: src/screens/Signup/index.tsx:131
msgid "We're so excited to have you join us!"
msgstr "我們非常高興你加入我們!"
-#: src/view/screens/ProfileList.tsx:89
+#: src/view/screens/ProfileList.tsx:90
msgid "We're sorry, but we were unable to resolve this list. If this persists, please contact the list creator, @{handleOrDid}."
msgstr "很抱歉,我們無法解析此列表。如果問題持續發生,請聯繫列表建立者 @{handleOrDid}。"
#: src/components/dialogs/MutedWords.tsx:229
msgid "We're sorry, but we weren't able to load your muted words at this time. Please try again."
-msgstr ""
+msgstr "很抱歉,我們目前無法加載你的靜音詞。請稍後再試。"
-#: src/view/screens/Search/Search.tsx:256
+#: src/view/screens/Search/Search.tsx:322
msgid "We're sorry, but your search could not be completed. Please try again in a few minutes."
msgstr "很抱歉,無法完成你的搜尋請求。請稍後再試。"
@@ -5731,9 +5172,9 @@ msgstr "很抱歉,無法完成你的搜尋請求。請稍後再試。"
msgid "We're sorry! We can't find the page you were looking for."
msgstr "很抱歉!我們找不到你正在尋找的頁面。"
-#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:321
+#: src/screens/Profile/Header/ProfileHeaderLabeler.tsx:327
msgid "We're sorry! You can only subscribe to ten labelers, and you've reached your limit of ten."
-msgstr ""
+msgstr "抱歉!你只能訂閱十個標籤者,你已達到十個的限制。"
#: src/view/com/auth/onboarding/WelcomeMobile.tsx:48
msgid "Welcome to <0>Bluesky0>"
@@ -5743,12 +5184,8 @@ msgstr "歡迎來到 <0>Bluesky0>"
msgid "What are your interests?"
msgstr "你感興趣的是什麼?"
-#: src/view/com/modals/report/Modal.tsx:169
-#~ msgid "What is the issue with this {collectionName}?"
-#~ msgstr "這個 {collectionName} 有什麼問題?"
-
-#: src/view/com/auth/SplashScreen.tsx:58
-#: src/view/com/auth/SplashScreen.web.tsx:84
+#: src/view/com/auth/SplashScreen.tsx:40
+#: src/view/com/auth/SplashScreen.web.tsx:81
#: src/view/com/composer/Composer.tsx:296
msgid "What's up?"
msgstr "發生了什麼新鮮事?"
@@ -5768,23 +5205,23 @@ msgstr "誰可以回覆"
#: src/components/ReportDialog/SelectReportOptionView.tsx:43
msgid "Why should this content be reviewed?"
-msgstr ""
+msgstr "為什麼應該審查這個內容?"
#: src/components/ReportDialog/SelectReportOptionView.tsx:56
msgid "Why should this feed be reviewed?"
-msgstr ""
+msgstr "為什麼應該審查這個訊息流?"
#: src/components/ReportDialog/SelectReportOptionView.tsx:53
msgid "Why should this list be reviewed?"
-msgstr ""
+msgstr "為什麼應該審查這個列表?"
#: src/components/ReportDialog/SelectReportOptionView.tsx:50
msgid "Why should this post be reviewed?"
-msgstr ""
+msgstr "為什麼應該審查這則貼文?"
#: src/components/ReportDialog/SelectReportOptionView.tsx:47
msgid "Why should this user be reviewed?"
-msgstr ""
+msgstr "為什麼應該審查這個使用者?"
#: src/view/com/modals/crop-image/CropImage.web.tsx:103
msgid "Wide"
@@ -5803,10 +5240,6 @@ msgstr "撰寫你的回覆"
msgid "Writers"
msgstr "作家"
-#: src/view/com/auth/create/Step2.tsx:263
-#~ msgid "XXXXXX"
-#~ msgstr "XXXXXX"
-
#: src/view/com/composer/select-language/SuggestedLanguage.tsx:77
#: src/view/screens/PreferencesFollowingFeed.tsx:129
#: src/view/screens/PreferencesFollowingFeed.tsx:201
@@ -5823,7 +5256,7 @@ msgstr "輪到你了。"
#: src/view/com/profile/ProfileFollows.tsx:86
msgid "You are not following anyone."
-msgstr ""
+msgstr "你沒有跟隨任何人。"
#: src/view/com/posts/FollowingEmptyState.tsx:67
#: src/view/com/posts/FollowingEndOfFeed.tsx:68
@@ -5841,21 +5274,21 @@ msgstr "你現在可以使用新密碼登入。"
#: src/view/com/profile/ProfileFollowers.tsx:86
msgid "You do not have any followers."
-msgstr ""
+msgstr "你沒有任何跟隨者。"
#: src/view/com/modals/InviteCodes.tsx:67
msgid "You don't have any invite codes yet! We'll send you some when you've been on Bluesky for a little longer."
msgstr "你目前還沒有邀請碼!當你持續使用 Bluesky 一段時間後,我們將提供一些新的邀請碼給你。"
-#: src/view/screens/SavedFeeds.tsx:102
+#: src/view/screens/SavedFeeds.tsx:103
msgid "You don't have any pinned feeds."
msgstr "你目前還沒有任何固定的訊息流。"
-#: src/view/screens/Feeds.tsx:452
+#: src/view/screens/Feeds.tsx:477
msgid "You don't have any saved feeds!"
msgstr "你目前還沒有任何儲存的訊息流!"
-#: src/view/screens/SavedFeeds.tsx:135
+#: src/view/screens/SavedFeeds.tsx:136
msgid "You don't have any saved feeds."
msgstr "你目前還沒有任何儲存的訊息流。"
@@ -5878,53 +5311,41 @@ msgstr "你輸入的邀請碼無效。它應該長得像這樣 XXXXX-XXXXX。"
#: src/lib/moderation/useModerationCauseDescription.ts:109
msgid "You have hidden this post"
-msgstr ""
+msgstr "你已隱藏這則貼文"
#: src/components/moderation/ModerationDetailsDialog.tsx:101
msgid "You have hidden this post."
-msgstr ""
+msgstr "你已隱藏這則貼文。"
#: src/components/moderation/ModerationDetailsDialog.tsx:94
#: src/lib/moderation/useModerationCauseDescription.ts:92
msgid "You have muted this account."
-msgstr ""
+msgstr "你已隱藏這個帳號。"
#: src/lib/moderation/useModerationCauseDescription.ts:86
msgid "You have muted this user"
-msgstr ""
-
-#: src/view/com/modals/ModerationDetails.tsx:87
-#~ msgid "You have muted this user."
-#~ msgstr "你已將這個使用者靜音。"
+msgstr "你已隱藏這個使用者。"
-#: src/view/com/feeds/ProfileFeedgens.tsx:136
+#: src/view/com/feeds/ProfileFeedgens.tsx:144
msgid "You have no feeds."
msgstr "你沒有訂閱訊息流。"
#: src/view/com/lists/MyLists.tsx:89
-#: src/view/com/lists/ProfileLists.tsx:140
+#: src/view/com/lists/ProfileLists.tsx:148
msgid "You have no lists."
msgstr "你沒有列表。"
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
+#: src/view/screens/ModerationBlockedAccounts.tsx:138
msgid "You have not blocked any accounts yet. To block an account, go to their profile and select \"Block account\" from the menu on their account."
-msgstr ""
-
-#: src/view/screens/ModerationBlockedAccounts.tsx:132
-#~ msgid "You have not blocked any accounts yet. To block an account, go to their profile and selected \"Block account\" from the menu on their account."
-#~ msgstr "你還沒有封鎖任何帳號。要封鎖帳號,請轉到其個人資料並在其帳號上的選單中選擇「封鎖帳號」。"
+msgstr "你還沒有封鎖任何帳號。要封鎖帳號,請轉到其個人資料並在其帳號上的選單中選擇「封鎖帳號」。"
#: src/view/screens/AppPasswords.tsx:89
msgid "You have not created any app passwords yet. You can create one by pressing the button below."
msgstr "你還沒有建立任何應用程式專用密碼,如你想建立一個,按下面的按鈕。"
-#: src/view/screens/ModerationMutedAccounts.tsx:131
+#: src/view/screens/ModerationMutedAccounts.tsx:136
msgid "You have not muted any accounts yet. To mute an account, go to their profile and select \"Mute account\" from the menu on their account."
-msgstr ""
-
-#: src/view/screens/ModerationMutedAccounts.tsx:131
-#~ msgid "You have not muted any accounts yet. To mute an account, go to their profile and selected \"Mute account\" from the menu on their account."
-#~ msgstr "你還沒有靜音任何帳號。要靜音帳號,請轉到其個人資料並在其帳號上的選單中選擇「靜音帳號」。"
+msgstr "你還沒有靜音任何帳號。要靜音帳號,請轉到其個人資料並在其帳號上的選單中選擇「靜音帳號」。"
#: src/components/dialogs/MutedWords.tsx:249
msgid "You haven't muted any words or tags yet"
@@ -5932,29 +5353,25 @@ msgstr "你还没有隐藏任何词或话题标签"
#: src/components/moderation/LabelsOnMeDialog.tsx:68
msgid "You may appeal these labels if you feel they were placed in error."
-msgstr ""
+msgstr "如果你覺得這些標籤是錯誤的,你可以申訴這些標籤。"
#: src/screens/Signup/StepInfo/Policies.tsx:79
msgid "You must be 13 years of age or older to sign up."
-msgstr ""
-
-#: src/view/com/modals/ContentFilteringSettings.tsx:175
-#~ msgid "You must be 18 or older to enable adult content."
-#~ msgstr "你必須年滿 18 歲才能啟用成人內容。"
+msgstr "你必須年滿 13 歲才能註冊。"
#: src/screens/Onboarding/StepModeration/AdultContentEnabledPref.tsx:110
msgid "You must be 18 years or older to enable adult content"
msgstr "你必須年滿 18 歲才能啟用成人內容"
-#: src/components/ReportDialog/SubmitView.tsx:205
+#: src/components/ReportDialog/SubmitView.tsx:203
msgid "You must select at least one labeler for a report"
-msgstr ""
+msgstr "你必須選擇至少一個標籤者來提交檢舉"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:144
+#: src/view/com/util/forms/PostDropdownBtn.tsx:150
msgid "You will no longer receive notifications for this thread"
msgstr "你將不再收到這條對話串的通知"
-#: src/view/com/util/forms/PostDropdownBtn.tsx:147
+#: src/view/com/util/forms/PostDropdownBtn.tsx:153
msgid "You will now receive notifications for this thread"
msgstr "你將收到這條對話串的通知"
@@ -5979,13 +5396,13 @@ msgstr "你已設定完成!"
#: src/components/moderation/ModerationDetailsDialog.tsx:98
#: src/lib/moderation/useModerationCauseDescription.ts:101
msgid "You've chosen to hide a word or tag within this post."
-msgstr ""
+msgstr "您選擇在這則貼文中隱藏詞彙或標籤。"
#: src/view/com/posts/FollowingEndOfFeed.tsx:48
msgid "You've reached the end of your feed! Find some more accounts to follow."
msgstr "你已經瀏覽完你的訂閱訊息流啦!跟隨其他帳號吧。"
-#: src/screens/Signup/index.tsx:150
+#: src/screens/Signup/index.tsx:151
msgid "Your account"
msgstr "你的帳號"
@@ -5997,7 +5414,7 @@ msgstr "你的帳號已刪除"
msgid "Your account repository, containing all public data records, can be downloaded as a \"CAR\" file. This file does not include media embeds, such as images, or your private data, which must be fetched separately."
msgstr "你可以將你的帳號存放庫下載為一個「CAR」檔案。該檔案包含了所有公開的資料紀錄,但不包括嵌入媒體,例如圖片或你的私人資料,目前這些資料必須另外擷取。"
-#: src/screens/Signup/StepInfo/index.tsx:121
+#: src/screens/Signup/StepInfo/index.tsx:123
msgid "Your birth date"
msgstr "你的生日"
@@ -6015,10 +5432,6 @@ msgstr "你的預設訊息流為「跟隨」"
msgid "Your email appears to be invalid."
msgstr "你的電子郵件地址似乎無效。"
-#: src/view/com/modals/Waitlist.tsx:109
-#~ msgid "Your email has been saved! We'll be in touch soon."
-#~ msgstr "你的電子郵件地址已儲存!我們將很快聯繫你。"
-
#: src/view/com/modals/ChangeEmail.tsx:125
msgid "Your email has been updated but not verified. As a next step, please verify your new email."
msgstr "你的電子郵件地址已更新但尚未驗證。作為下一步,請驗證你的新電子郵件地址。"
@@ -6031,7 +5444,7 @@ msgstr "你的電子郵件地址尚未驗證。這是一個我們建議的重要
msgid "Your following feed is empty! Follow more users to see what's happening."
msgstr "你的跟隨訊息流是空的!跟隨更多使用者看看發生了什麼事情。"
-#: src/screens/Signup/StepHandle.tsx:72
+#: src/screens/Signup/StepHandle.tsx:73
msgid "Your full handle will be"
msgstr "你的完整帳號代碼將修改為"
@@ -6039,15 +5452,9 @@ msgstr "你的完整帳號代碼將修改為"
msgid "Your full handle will be <0>@{0}0>"
msgstr "你的完整帳號代碼將修改為 <0>@{0}0>"
-#: src/view/screens/Settings.tsx:430
-#: src/view/shell/desktop/RightNav.tsx:137
-#: src/view/shell/Drawer.tsx:660
-#~ msgid "Your invite codes are hidden when logged in using an App Password"
-#~ msgstr "在使用應用程式專用密碼登入時,你的邀請碼將被隱藏"
-
#: src/components/dialogs/MutedWords.tsx:220
msgid "Your muted words"
-msgstr ""
+msgstr "你的靜音詞"
#: src/view/com/modals/ChangePassword.tsx:157
msgid "Your password has been changed successfully!"
@@ -6063,7 +5470,7 @@ msgstr "你的貼文已發佈"
msgid "Your posts, likes, and blocks are public. Mutes are private."
msgstr "你的貼文、按喜歡和封鎖是公開可見的,而靜音是私人的。"
-#: src/view/screens/Settings/index.tsx:125
+#: src/view/screens/Settings/index.tsx:136
msgid "Your profile"
msgstr "你的個人資料"
@@ -6071,6 +5478,6 @@ msgstr "你的個人資料"
msgid "Your reply has been published"
msgstr "你的回覆已發佈"
-#: src/screens/Signup/index.tsx:152
+#: src/screens/Signup/index.tsx:153
msgid "Your user handle"
msgstr "你的帳號代碼"
diff --git a/src/screens/Profile/Header/Handle.tsx b/src/screens/Profile/Header/Handle.tsx
index fd1cbe5333..9ab24fbbed 100644
--- a/src/screens/Profile/Header/Handle.tsx
+++ b/src/screens/Profile/Header/Handle.tsx
@@ -1,10 +1,10 @@
import React from 'react'
import {View} from 'react-native'
import {AppBskyActorDefs} from '@atproto/api'
-import {isInvalidHandle} from 'lib/strings/handles'
-import {Shadow} from '#/state/cache/types'
import {Trans} from '@lingui/macro'
+import {Shadow} from '#/state/cache/types'
+import {isInvalidHandle} from 'lib/strings/handles'
import {atoms as a, useTheme, web} from '#/alf'
import {Text} from '#/components/Typography'
@@ -26,6 +26,7 @@ export function ProfileHeaderHandle({
) : undefined}
{invalidHandle ? ⚠Invalid Handle : `@${profile.handle}`}
diff --git a/src/screens/Profile/Header/ProfileHeaderLabeler.tsx b/src/screens/Profile/Header/ProfileHeaderLabeler.tsx
index d0fd5e20bd..b9145822c9 100644
--- a/src/screens/Profile/Header/ProfileHeaderLabeler.tsx
+++ b/src/screens/Profile/Header/ProfileHeaderLabeler.tsx
@@ -18,7 +18,7 @@ import {useModalControls} from '#/state/modals'
import {useLabelerSubscriptionMutation} from '#/state/queries/labeler'
import {useLikeMutation, useUnlikeMutation} from '#/state/queries/like'
import {usePreferencesQuery} from '#/state/queries/preferences'
-import {useSession} from '#/state/session'
+import {useRequireAuth, useSession} from '#/state/session'
import {useAnalytics} from 'lib/analytics/analytics'
import {useHaptics} from 'lib/haptics'
import {useProfileShadow} from 'state/cache/profile-shadow'
@@ -64,6 +64,7 @@ let ProfileHeaderLabeler = ({
const {currentAccount, hasSession} = useSession()
const {openModal} = useModalControls()
const {track} = useAnalytics()
+ const requireAuth = useRequireAuth()
const playHaptic = useHaptics()
const cantSubscribePrompt = Prompt.usePromptControl()
const isSelf = currentAccount?.did === profile.did
@@ -125,27 +126,32 @@ let ProfileHeaderLabeler = ({
})
}, [track, openModal, profile])
- const onPressSubscribe = React.useCallback(async () => {
- if (!canSubscribe) {
- cantSubscribePrompt.open()
- return
- }
- try {
- await toggleSubscription({
- did: profile.did,
- subscribe: !isSubscribed,
- })
- } catch (e: any) {
- // setSubscriptionError(e.message)
- logger.error(`Failed to subscribe to labeler`, {message: e.message})
- }
- }, [
- toggleSubscription,
- isSubscribed,
- profile,
- canSubscribe,
- cantSubscribePrompt,
- ])
+ const onPressSubscribe = React.useCallback(
+ () =>
+ requireAuth(async () => {
+ if (!canSubscribe) {
+ cantSubscribePrompt.open()
+ return
+ }
+ try {
+ await toggleSubscription({
+ did: profile.did,
+ subscribe: !isSubscribed,
+ })
+ } catch (e: any) {
+ // setSubscriptionError(e.message)
+ logger.error(`Failed to subscribe to labeler`, {message: e.message})
+ }
+ }),
+ [
+ requireAuth,
+ toggleSubscription,
+ isSubscribed,
+ profile,
+ canSubscribe,
+ cantSubscribePrompt,
+ ],
+ )
const isMe = React.useMemo(
() => currentAccount?.did === profile.did,
@@ -184,7 +190,6 @@ let ProfileHeaderLabeler = ({
? _(msg`Unsubscribe from this labeler`)
: _(msg`Subscribe to this labeler`)
}
- disabled={!hasSession}
onPress={onPressSubscribe}>
{state => (
{
dispatch({
type: 'setEmail',
@@ -103,6 +104,7 @@ export function StepInfo() {
{
dispatch({
type: 'setPassword',
diff --git a/src/screens/Signup/index.tsx b/src/screens/Signup/index.tsx
index 74674b0cbf..7708599fb4 100644
--- a/src/screens/Signup/index.tsx
+++ b/src/screens/Signup/index.tsx
@@ -22,6 +22,7 @@ import {StepCaptcha} from '#/screens/Signup/StepCaptcha'
import {StepHandle} from '#/screens/Signup/StepHandle'
import {StepInfo} from '#/screens/Signup/StepInfo'
import {atoms as a, useBreakpoints, useTheme} from '#/alf'
+import {AppLanguageDropdown} from '#/components/AppLanguageDropdown'
import {Button, ButtonText} from '#/components/Button'
import {Divider} from '#/components/Divider'
import {InlineLinkText} from '#/components/Link'
@@ -195,6 +196,7 @@ export function Signup({onPressBack}: {onPressBack: () => void}) {
) : (
void}) {
-
-
+
+
+
Having trouble? {' '}
-
+
Contact support
diff --git a/src/state/cache/post-shadow.ts b/src/state/cache/post-shadow.ts
index 6225cbdba0..48183739b2 100644
--- a/src/state/cache/post-shadow.ts
+++ b/src/state/cache/post-shadow.ts
@@ -62,25 +62,29 @@ function mergeShadow(
return POST_TOMBSTONE
}
- const wasLiked = !!post.viewer?.like
- const isLiked = !!shadow.likeUri
let likeCount = post.likeCount ?? 0
- if (wasLiked && !isLiked) {
- likeCount--
- } else if (!wasLiked && isLiked) {
- likeCount++
+ if ('likeUri' in shadow) {
+ const wasLiked = !!post.viewer?.like
+ const isLiked = !!shadow.likeUri
+ if (wasLiked && !isLiked) {
+ likeCount--
+ } else if (!wasLiked && isLiked) {
+ likeCount++
+ }
+ likeCount = Math.max(0, likeCount)
}
- likeCount = Math.max(0, likeCount)
- const wasReposted = !!post.viewer?.repost
- const isReposted = !!shadow.repostUri
let repostCount = post.repostCount ?? 0
- if (wasReposted && !isReposted) {
- repostCount--
- } else if (!wasReposted && isReposted) {
- repostCount++
+ if ('repostUri' in shadow) {
+ const wasReposted = !!post.viewer?.repost
+ const isReposted = !!shadow.repostUri
+ if (wasReposted && !isReposted) {
+ repostCount--
+ } else if (!wasReposted && isReposted) {
+ repostCount++
+ }
+ repostCount = Math.max(0, repostCount)
}
- repostCount = Math.max(0, repostCount)
return castAsShadow({
...post,
diff --git a/src/state/preferences/in-app-browser.tsx b/src/state/preferences/in-app-browser.tsx
index 2398f1f812..73c4bbbe78 100644
--- a/src/state/preferences/in-app-browser.tsx
+++ b/src/state/preferences/in-app-browser.tsx
@@ -1,15 +1,16 @@
import React from 'react'
-import * as persisted from '#/state/persisted'
import {Linking} from 'react-native'
import * as WebBrowser from 'expo-web-browser'
+
import {isNative} from '#/platform/detection'
-import {useModalControls} from '../modals'
+import * as persisted from '#/state/persisted'
import {usePalette} from 'lib/hooks/usePalette'
import {
+ createBskyAppAbsoluteUrl,
isBskyRSSUrl,
isRelativeUrl,
- createBskyAppAbsoluteUrl,
} from 'lib/strings/url-helpers'
+import {useModalControls} from '../modals'
type StateContext = persisted.Schema['useInAppBrowser']
type SetContext = (v: persisted.Schema['useInAppBrowser']) => void
@@ -78,6 +79,7 @@ export function useOpenLink() {
presentationStyle:
WebBrowser.WebBrowserPresentationStyle.FULL_SCREEN,
toolbarColor: pal.colors.backgroundLight,
+ createTask: false,
})
return
}
diff --git a/src/state/preferences/languages.tsx b/src/state/preferences/languages.tsx
index df774c05e2..b7494c1f93 100644
--- a/src/state/preferences/languages.tsx
+++ b/src/state/preferences/languages.tsx
@@ -1,6 +1,7 @@
import React from 'react'
-import * as persisted from '#/state/persisted'
+
import {AppLanguage} from '#/locale/languages'
+import * as persisted from '#/state/persisted'
type SetStateCb = (
s: persisted.Schema['languagePrefs'],
@@ -9,6 +10,7 @@ type StateContext = persisted.Schema['languagePrefs']
type ApiContext = {
setPrimaryLanguage: (code2: string) => void
setPostLanguage: (commaSeparatedLangCodes: string) => void
+ setContentLanguage: (code2: string) => void
toggleContentLanguage: (code2: string) => void
togglePostLanguage: (code2: string) => void
savePostLanguageToHistory: () => void
@@ -21,6 +23,7 @@ const stateContext = React.createContext(
const apiContext = React.createContext({
setPrimaryLanguage: (_: string) => {},
setPostLanguage: (_: string) => {},
+ setContentLanguage: (_: string) => {},
toggleContentLanguage: (_: string) => {},
togglePostLanguage: (_: string) => {},
savePostLanguageToHistory: () => {},
@@ -53,6 +56,9 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
setPostLanguage(commaSeparatedLangCodes: string) {
setStateWrapped(s => ({...s, postLanguage: commaSeparatedLangCodes}))
},
+ setContentLanguage(code2: string) {
+ setStateWrapped(s => ({...s, contentLanguages: [code2]}))
+ },
toggleContentLanguage(code2: string) {
setStateWrapped(s => {
const exists = s.contentLanguages.includes(code2)
diff --git a/src/state/queries/feed.ts b/src/state/queries/feed.ts
index 7c8f590b58..7a5e4f2976 100644
--- a/src/state/queries/feed.ts
+++ b/src/state/queries/feed.ts
@@ -19,7 +19,7 @@ import {sanitizeDisplayName} from '#/lib/strings/display-names'
import {sanitizeHandle} from '#/lib/strings/handles'
import {STALE} from '#/state/queries'
import {usePreferencesQuery} from '#/state/queries/preferences'
-import {getAgent} from '#/state/session'
+import {getAgent, useSession} from '#/state/session'
import {router} from '#/routes'
export type FeedSourceFeedInfo = {
@@ -201,9 +201,28 @@ export function useSearchPopularFeedsMutation() {
})
}
+const DISCOVER_FEED_STUB: FeedSourceInfo = {
+ type: 'feed',
+ displayName: 'Discover',
+ uri: '',
+ route: {
+ href: '/',
+ name: 'Home',
+ params: {},
+ },
+ cid: '',
+ avatar: '',
+ description: new RichText({text: ''}),
+ creatorDid: '',
+ creatorHandle: '',
+ likeCount: 0,
+ likeUri: '',
+}
+
const pinnedFeedInfosQueryKeyRoot = 'pinnedFeedsInfos'
export function usePinnedFeedsInfos() {
+ const {hasSession} = useSession()
const {data: preferences, isLoading: isLoadingPrefs} = usePreferencesQuery()
const pinnedUris = preferences?.feeds?.pinned ?? []
const {_} = useLingui()
@@ -229,7 +248,10 @@ export function usePinnedFeedsInfos() {
return useQuery({
staleTime: STALE.INFINITY,
enabled: !isLoadingPrefs,
- queryKey: [pinnedFeedInfosQueryKeyRoot, pinnedUris.join(',')],
+ queryKey: [
+ pinnedFeedInfosQueryKeyRoot,
+ (hasSession ? 'authed:' : 'unauthed:') + pinnedUris.join(','),
+ ],
queryFn: async () => {
let resolved = new Map()
@@ -267,7 +289,7 @@ export function usePinnedFeedsInfos() {
)
// The returned result will have the original order.
- const result = [FOLLOWING_FEED_STUB]
+ const result = [hasSession ? FOLLOWING_FEED_STUB : DISCOVER_FEED_STUB]
await Promise.allSettled([feedsPromise, ...listsPromises])
for (let pinnedUri of pinnedUris) {
if (resolved.has(pinnedUri)) {
diff --git a/src/state/queries/notifications/unread.tsx b/src/state/queries/notifications/unread.tsx
index e7a0631ecf..1c01d71a5e 100644
--- a/src/state/queries/notifications/unread.tsx
+++ b/src/state/queries/notifications/unread.tsx
@@ -3,24 +3,28 @@
*/
import React from 'react'
+import {AppState} from 'react-native'
import * as Notifications from 'expo-notifications'
import {useQueryClient} from '@tanstack/react-query'
+import EventEmitter from 'eventemitter3'
+
import BroadcastChannel from '#/lib/broadcast'
-import {useSession, getAgent} from '#/state/session'
-import {useModerationOpts} from '../preferences'
-import {fetchPage} from './util'
-import {CachedFeedPage, FeedPage} from './types'
+import {logger} from '#/logger'
import {isNative} from '#/platform/detection'
import {useMutedThreads} from '#/state/muted-threads'
-import {RQKEY as RQKEY_NOTIFS} from './feed'
-import {logger} from '#/logger'
+import {getAgent, useSession} from '#/state/session'
+import {useModerationOpts} from '../preferences'
import {truncateAndInvalidate} from '../util'
-import {AppState} from 'react-native'
+import {RQKEY as RQKEY_NOTIFS} from './feed'
+import {CachedFeedPage, FeedPage} from './types'
+import {fetchPage} from './util'
const UPDATE_INTERVAL = 30 * 1e3 // 30sec
const broadcast = new BroadcastChannel('NOTIFS_BROADCAST_CHANNEL')
+const emitter = new EventEmitter()
+
type StateContext = string
interface ApiContext {
@@ -56,6 +60,18 @@ export function Provider({children}: React.PropsWithChildren<{}>) {
unreadCount: 0,
})
+ React.useEffect(() => {
+ function markAsUnusable() {
+ if (cacheRef.current) {
+ cacheRef.current.usableInFeed = false
+ }
+ }
+ emitter.addListener('invalidate', markAsUnusable)
+ return () => {
+ emitter.removeListener('invalidate', markAsUnusable)
+ }
+ }, [])
+
// periodic sync
React.useEffect(() => {
if (!hasSession || !checkUnreadRef.current) {
@@ -214,3 +230,7 @@ function countUnread(page: FeedPage) {
}
return num
}
+
+export function invalidateCachedUnreadPage() {
+ emitter.emit('invalidate')
+}
diff --git a/src/state/queries/post-feed.ts b/src/state/queries/post-feed.ts
index ee22bac691..3453a77648 100644
--- a/src/state/queries/post-feed.ts
+++ b/src/state/queries/post-feed.ts
@@ -459,6 +459,14 @@ function assertSomePostsPassModeration(feed: AppBskyFeedDefs.FeedViewPost[]) {
}
}
+export function resetPostsFeedQueries(queryClient: QueryClient, timeout = 0) {
+ setTimeout(() => {
+ queryClient.resetQueries({
+ predicate: query => query.queryKey[0] === RQKEY_ROOT,
+ })
+ }, timeout)
+}
+
export function resetProfilePostsQueries(
queryClient: QueryClient,
did: string,
diff --git a/src/state/queries/post-thread.ts b/src/state/queries/post-thread.ts
index 832794bf54..521fc4751b 100644
--- a/src/state/queries/post-thread.ts
+++ b/src/state/queries/post-thread.ts
@@ -8,10 +8,11 @@ import {QueryClient, useQuery, useQueryClient} from '@tanstack/react-query'
import {UsePreferencesQueryResponse} from '#/state/queries/preferences/types'
import {getAgent} from '#/state/session'
+import {findAllPostsInQueryData as findAllPostsInSearchQueryData} from 'state/queries/search-posts'
import {findAllPostsInQueryData as findAllPostsInNotifsQueryData} from './notifications/feed'
import {findAllPostsInQueryData as findAllPostsInFeedQueryData} from './post-feed'
import {precacheThreadPostProfiles} from './profile'
-import {getEmbeddedPost} from './util'
+import {embedViewRecordToPostView, getEmbeddedPost} from './util'
const RQKEY_ROOT = 'post-thread'
export const RQKEY = (uri: string) => [RQKEY_ROOT, uri]
@@ -260,6 +261,9 @@ export function* findAllPostsInQueryData(
for (let post of findAllPostsInNotifsQueryData(queryClient, uri)) {
yield postViewToPlaceholderThread(post)
}
+ for (let post of findAllPostsInSearchQueryData(queryClient, uri)) {
+ yield postViewToPlaceholderThread(post)
+ }
}
function* traverseThread(node: ThreadNode): Generator {
@@ -332,14 +336,7 @@ function embedViewRecordToPlaceholderThread(
type: 'post',
_reactKey: record.uri,
uri: record.uri,
- post: {
- uri: record.uri,
- cid: record.cid,
- author: record.author,
- record: record.value,
- indexedAt: record.indexedAt,
- labels: record.labels,
- },
+ post: embedViewRecordToPostView(record),
record: record.value as AppBskyFeedPost.Record, // validated in getEmbeddedPost
parent: undefined,
replies: undefined,
diff --git a/src/state/queries/profile.ts b/src/state/queries/profile.ts
index a962fecff7..7842d53d4d 100644
--- a/src/state/queries/profile.ts
+++ b/src/state/queries/profile.ts
@@ -90,8 +90,8 @@ export function useProfilesQuery({handles}: {handles: string[]}) {
export function usePrefetchProfileQuery() {
const queryClient = useQueryClient()
const prefetchProfileQuery = useCallback(
- (did: string) => {
- queryClient.prefetchQuery({
+ async (did: string) => {
+ await queryClient.prefetchQuery({
queryKey: RQKEY(did),
queryFn: async () => {
const res = await getAgent().getProfile({actor: did || ''})
diff --git a/src/state/queries/util.ts b/src/state/queries/util.ts
index 54752b332a..94d6c9df7c 100644
--- a/src/state/queries/util.ts
+++ b/src/state/queries/util.ts
@@ -1,10 +1,10 @@
-import {QueryClient, QueryKey, InfiniteData} from '@tanstack/react-query'
import {
AppBskyEmbedRecord,
AppBskyEmbedRecordWithMedia,
AppBskyFeedDefs,
AppBskyFeedPost,
} from '@atproto/api'
+import {InfiniteData, QueryClient, QueryKey} from '@tanstack/react-query'
export function truncateAndInvalidate(
queryClient: QueryClient,
@@ -54,5 +54,9 @@ export function embedViewRecordToPostView(
indexedAt: v.indexedAt,
labels: v.labels,
embed: v.embeds?.[0],
+ // TODO we can remove the `as` once we update @atproto/api
+ likeCount: v.likeCount as number | undefined,
+ replyCount: v.replyCount as number | undefined,
+ repostCount: v.repostCount as number | undefined,
}
}
diff --git a/src/state/session/index.tsx b/src/state/session/index.tsx
index 5c7cc15916..b88181ebda 100644
--- a/src/state/session/index.tsx
+++ b/src/state/session/index.tsx
@@ -15,8 +15,8 @@ import {logger} from '#/logger'
import {isWeb} from '#/platform/detection'
import * as persisted from '#/state/persisted'
import {PUBLIC_BSKY_AGENT} from '#/state/queries'
-import {useLoggedOutViewControls} from '#/state/shell/logged-out'
import {useCloseAllActiveElements} from '#/state/util'
+import {useGlobalDialogsControlContext} from '#/components/dialogs/Context'
import {IS_DEV} from '#/env'
import {emitSessionDropped} from '../events'
import {readLabelers} from './agent-config'
@@ -702,8 +702,8 @@ export function useSessionApi() {
export function useRequireAuth() {
const {hasSession} = useSession()
- const {setShowLoggedOut} = useLoggedOutViewControls()
const closeAll = useCloseAllActiveElements()
+ const {signinDialogControl} = useGlobalDialogsControlContext()
return React.useCallback(
(fn: () => void) => {
@@ -711,10 +711,10 @@ export function useRequireAuth() {
fn()
} else {
closeAll()
- setShowLoggedOut(true)
+ signinDialogControl.open()
}
},
- [hasSession, setShowLoggedOut, closeAll],
+ [hasSession, signinDialogControl, closeAll],
)
}
diff --git a/src/view/com/auth/HomeLoggedOutCTA.tsx b/src/view/com/auth/HomeLoggedOutCTA.tsx
deleted file mode 100644
index 4c8c35da73..0000000000
--- a/src/view/com/auth/HomeLoggedOutCTA.tsx
+++ /dev/null
@@ -1,170 +0,0 @@
-import React from 'react'
-import {StyleSheet, TouchableOpacity, View} from 'react-native'
-import {msg, Trans} from '@lingui/macro'
-import {useLingui} from '@lingui/react'
-
-import {usePalette} from '#/lib/hooks/usePalette'
-import {useWebMediaQueries} from '#/lib/hooks/useWebMediaQueries'
-import {colors, s} from '#/lib/styles'
-import {useLoggedOutViewControls} from '#/state/shell/logged-out'
-import {TextLink} from '../util/Link'
-import {Text} from '../util/text/Text'
-import {ScrollView} from '../util/Views'
-
-export function HomeLoggedOutCTA() {
- const pal = usePalette('default')
- const {_} = useLingui()
- const {isMobile} = useWebMediaQueries()
- const {requestSwitchToAccount} = useLoggedOutViewControls()
-
- const showCreateAccount = React.useCallback(() => {
- requestSwitchToAccount({requestedAccount: 'new'})
- }, [requestSwitchToAccount])
-
- const showSignIn = React.useCallback(() => {
- requestSwitchToAccount({requestedAccount: 'none'})
- }, [requestSwitchToAccount])
-
- return (
-
-
-
- Bluesky
-
-
- See what's next
-
-
-
-
-
- Create a new account
-
-
-
-
- Sign in
-
-
-
-
-
-
-
-
-
-
- )
-}
-
-const styles = StyleSheet.create({
- container: {
- height: '100%',
- },
- hero: {
- justifyContent: 'center',
- paddingTop: 100,
- paddingBottom: 30,
- },
- heroMobile: {
- paddingBottom: 50,
- },
- title: {
- textAlign: 'center',
- fontSize: 68,
- fontWeight: 'bold',
- },
- subtitle: {
- textAlign: 'center',
- fontSize: 48,
- fontWeight: 'bold',
- },
- subtitleMobile: {
- fontSize: 42,
- },
- btnsDesktop: {
- flexDirection: 'row',
- justifyContent: 'center',
- gap: 20,
- marginHorizontal: 20,
- },
- btn: {
- borderRadius: 32,
- width: 230,
- paddingVertical: 12,
- marginBottom: 20,
- },
- btnMobile: {
- flex: 1,
- width: 'auto',
- marginHorizontal: 20,
- paddingVertical: 16,
- },
- btnLabel: {
- textAlign: 'center',
- fontSize: 18,
- },
- btnLabelMobile: {
- textAlign: 'center',
- fontSize: 21,
- },
-
- footer: {
- flexDirection: 'row',
- gap: 20,
- justifyContent: 'center',
- },
- footerLink: {},
-})
diff --git a/src/view/com/auth/SplashScreen.tsx b/src/view/com/auth/SplashScreen.tsx
index 763b01dfa1..8eac1ab82f 100644
--- a/src/view/com/auth/SplashScreen.tsx
+++ b/src/view/com/auth/SplashScreen.tsx
@@ -1,19 +1,15 @@
import React from 'react'
import {View} from 'react-native'
-import RNPickerSelect, {PickerSelectProps} from 'react-native-picker-select'
import {useSafeAreaInsets} from 'react-native-safe-area-context'
import {msg, Trans} from '@lingui/macro'
import {useLingui} from '@lingui/react'
-import {sanitizeAppLanguageSetting} from '#/locale/helpers'
-import {APP_LANGUAGES} from '#/locale/languages'
-import {useLanguagePrefs, useLanguagePrefsApi} from '#/state/preferences'
import {Logo} from '#/view/icons/Logo'
import {Logotype} from '#/view/icons/Logotype'
import {ErrorBoundary} from 'view/com/util/ErrorBoundary'
import {atoms as a, useTheme} from '#/alf'
+import {AppLanguageDropdown} from '#/components/AppLanguageDropdown'
import {Button, ButtonText} from '#/components/Button'
-import {ChevronBottom_Stroke2_Corner0_Rounded as ChevronDown} from '#/components/icons/Chevron'
import {Text} from '#/components/Typography'
import {CenteredView} from '../util/Views'
@@ -27,22 +23,8 @@ export const SplashScreen = ({
const t = useTheme()
const {_} = useLingui()
- const langPrefs = useLanguagePrefs()
- const setLangPrefs = useLanguagePrefsApi()
const insets = useSafeAreaInsets()
- const sanitizedLang = sanitizeAppLanguageSetting(langPrefs.appLanguage)
-
- const onChangeAppLanguage = React.useCallback(
- (value: Parameters[0]) => {
- if (!value) return
- if (sanitizedLang !== value) {
- setLangPrefs.setAppLanguage(sanitizeAppLanguageSetting(value))
- }
- },
- [sanitizedLang, setLangPrefs],
- )
-
return (
@@ -99,43 +81,7 @@ export const SplashScreen = ({
a.justify_center,
a.align_center,
]}>
-
- Boolean(l.code2)).map(l => ({
- label: l.name,
- value: l.code2,
- key: l.code2,
- }))}
- useNativeAndroidPickerStyle={false}
- style={{
- inputAndroid: {
- color: t.atoms.text_contrast_medium.color,
- fontSize: 16,
- paddingRight: 12 + 4,
- },
- inputIOS: {
- color: t.atoms.text.color,
- fontSize: 16,
- paddingRight: 12 + 4,
- },
- }}
- />
-
-
-
-
-
+
diff --git a/src/view/com/auth/SplashScreen.web.tsx b/src/view/com/auth/SplashScreen.web.tsx
index 7a2ee16cf3..f905e1e8d5 100644
--- a/src/view/com/auth/SplashScreen.web.tsx
+++ b/src/view/com/auth/SplashScreen.web.tsx
@@ -4,16 +4,13 @@ import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome'
import {msg, Trans} from '@lingui/macro'
import {useLingui} from '@lingui/react'
-import {sanitizeAppLanguageSetting} from '#/locale/helpers'
-import {APP_LANGUAGES} from '#/locale/languages'
-import {useLanguagePrefs, useLanguagePrefsApi} from '#/state/preferences'
import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
import {Logo} from '#/view/icons/Logo'
import {Logotype} from '#/view/icons/Logotype'
import {ErrorBoundary} from 'view/com/util/ErrorBoundary'
import {atoms as a, useTheme} from '#/alf'
+import {AppLanguageDropdown} from '#/components/AppLanguageDropdown'
import {Button, ButtonText} from '#/components/Button'
-import {ChevronBottom_Stroke2_Corner0_Rounded as ChevronDown} from '#/components/icons/Chevron'
import {InlineLinkText} from '#/components/Link'
import {Text} from '#/components/Typography'
import {CenteredView} from '../util/Views'
@@ -131,23 +128,6 @@ export const SplashScreen = ({
function Footer() {
const t = useTheme()
- const langPrefs = useLanguagePrefs()
- const setLangPrefs = useLanguagePrefsApi()
-
- const sanitizedLang = sanitizeAppLanguageSetting(langPrefs.appLanguage)
-
- const onChangeAppLanguage = React.useCallback(
- (ev: React.ChangeEvent) => {
- const value = ev.target.value
-
- if (!value) return
- if (sanitizedLang !== value) {
- setLangPrefs.setAppLanguage(sanitizeAppLanguageSetting(value))
- }
- },
- [sanitizedLang, setLangPrefs],
- )
-
return (
-
-
- {APP_LANGUAGES.find(l => l.code2 === sanitizedLang)?.name}
-
-
-
-
- {APP_LANGUAGES.filter(l => Boolean(l.code2)).map(l => (
-
- {l.name}
-
- ))}
-
-
+
)
}
diff --git a/src/view/com/auth/onboarding/RecommendedFeeds.tsx b/src/view/com/auth/onboarding/RecommendedFeeds.tsx
index d3318bffd8..95f8502f81 100644
--- a/src/view/com/auth/onboarding/RecommendedFeeds.tsx
+++ b/src/view/com/auth/onboarding/RecommendedFeeds.tsx
@@ -1,18 +1,19 @@
import React from 'react'
import {ActivityIndicator, FlatList, StyleSheet, View} from 'react-native'
import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome'
-import {TabletOrDesktop, Mobile} from 'view/com/util/layouts/Breakpoints'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+
+import {useSuggestedFeedsQuery} from '#/state/queries/suggested-feeds'
+import {usePalette} from 'lib/hooks/usePalette'
+import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
+import {ErrorMessage} from 'view/com/util/error/ErrorMessage'
+import {Button} from 'view/com/util/forms/Button'
+import {Mobile, TabletOrDesktop} from 'view/com/util/layouts/Breakpoints'
+import {TitleColumnLayout} from 'view/com/util/layouts/TitleColumnLayout'
import {Text} from 'view/com/util/text/Text'
import {ViewHeader} from 'view/com/util/ViewHeader'
-import {TitleColumnLayout} from 'view/com/util/layouts/TitleColumnLayout'
-import {Button} from 'view/com/util/forms/Button'
import {RecommendedFeedsItem} from './RecommendedFeedsItem'
-import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
-import {usePalette} from 'lib/hooks/usePalette'
-import {ErrorMessage} from 'view/com/util/error/ErrorMessage'
-import {Trans, msg} from '@lingui/macro'
-import {useLingui} from '@lingui/react'
-import {useSuggestedFeedsQuery} from '#/state/queries/suggested-feeds'
type Props = {
next: () => void
@@ -130,6 +131,7 @@ export function RecommendedFeeds({next}: Props) {
renderItem={({item}) => }
keyExtractor={item => item.uri}
style={{flex: 1}}
+ showsVerticalScrollIndicator={false}
/>
) : isLoading ? (
diff --git a/src/view/com/auth/onboarding/RecommendedFollows.tsx b/src/view/com/auth/onboarding/RecommendedFollows.tsx
index d275f6c90e..a840f949e4 100644
--- a/src/view/com/auth/onboarding/RecommendedFollows.tsx
+++ b/src/view/com/auth/onboarding/RecommendedFollows.tsx
@@ -1,21 +1,22 @@
import React from 'react'
import {ActivityIndicator, FlatList, StyleSheet, View} from 'react-native'
-import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome'
import {AppBskyActorDefs, moderateProfile} from '@atproto/api'
-import {TabletOrDesktop, Mobile} from 'view/com/util/layouts/Breakpoints'
+import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+
+import {logger} from '#/logger'
+import {useModerationOpts} from '#/state/queries/preferences'
+import {useSuggestedFollowsQuery} from '#/state/queries/suggested-follows'
+import {useGetSuggestedFollowersByActor} from '#/state/queries/suggested-follows'
+import {usePalette} from 'lib/hooks/usePalette'
+import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
+import {Button} from 'view/com/util/forms/Button'
+import {Mobile, TabletOrDesktop} from 'view/com/util/layouts/Breakpoints'
+import {TitleColumnLayout} from 'view/com/util/layouts/TitleColumnLayout'
import {Text} from 'view/com/util/text/Text'
import {ViewHeader} from 'view/com/util/ViewHeader'
-import {TitleColumnLayout} from 'view/com/util/layouts/TitleColumnLayout'
-import {Button} from 'view/com/util/forms/Button'
-import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
-import {usePalette} from 'lib/hooks/usePalette'
import {RecommendedFollowsItem} from './RecommendedFollowsItem'
-import {useSuggestedFollowsQuery} from '#/state/queries/suggested-follows'
-import {useGetSuggestedFollowersByActor} from '#/state/queries/suggested-follows'
-import {useModerationOpts} from '#/state/queries/preferences'
-import {logger} from '#/logger'
-import {Trans, msg} from '@lingui/macro'
-import {useLingui} from '@lingui/react'
type Props = {
next: () => void
@@ -202,6 +203,7 @@ export function RecommendedFollows({next}: Props) {
)}
keyExtractor={item => item.did}
style={{flex: 1}}
+ showsVerticalScrollIndicator={false}
/>
)}
-
@@ -216,6 +219,7 @@ function ComposerReplyToImages({
const styles = StyleSheet.create({
replyToLayout: {
flexDirection: 'row',
+ alignItems: 'flex-start',
borderTopWidth: 1,
paddingTop: 16,
paddingBottom: 16,
diff --git a/src/view/com/home/HomeHeaderLayout.web.tsx b/src/view/com/home/HomeHeaderLayout.web.tsx
index 9818b56f6f..644d4cab6c 100644
--- a/src/view/com/home/HomeHeaderLayout.web.tsx
+++ b/src/view/com/home/HomeHeaderLayout.web.tsx
@@ -1,20 +1,22 @@
import React from 'react'
import {StyleSheet, View} from 'react-native'
import Animated from 'react-native-reanimated'
-import {usePalette} from 'lib/hooks/usePalette'
-import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
-import {HomeHeaderLayoutMobile} from './HomeHeaderLayoutMobile'
-import {Logo} from '#/view/icons/Logo'
-import {Link} from '../util/Link'
import {
FontAwesomeIcon,
FontAwesomeIconStyle,
} from '@fortawesome/react-native-fontawesome'
-import {useLingui} from '@lingui/react'
import {msg} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+
import {CogIcon} from '#/lib/icons'
-import {useMinimalShellMode} from 'lib/hooks/useMinimalShellMode'
+import {useSession} from '#/state/session'
import {useShellLayout} from '#/state/shell/shell-layout'
+import {useMinimalShellMode} from 'lib/hooks/useMinimalShellMode'
+import {usePalette} from 'lib/hooks/usePalette'
+import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
+import {Logo} from '#/view/icons/Logo'
+import {Link} from '../util/Link'
+import {HomeHeaderLayoutMobile} from './HomeHeaderLayoutMobile'
export function HomeHeaderLayout(props: {
children: React.ReactNode
@@ -38,32 +40,35 @@ function HomeHeaderLayoutDesktopAndTablet({
const pal = usePalette('default')
const {headerMinimalShellTransform} = useMinimalShellMode()
const {headerHeight} = useShellLayout()
+ const {hasSession} = useSession()
const {_} = useLingui()
return (
<>
-
-
-
-
-
-
-
-
-
+ {hasSession && (
+
+
+
+
+
+
+
+
+
+ )}
{tabBarAnchor}
{
diff --git a/src/view/com/home/HomeHeaderLayoutMobile.tsx b/src/view/com/home/HomeHeaderLayoutMobile.tsx
index d7b7231c60..78fa9af865 100644
--- a/src/view/com/home/HomeHeaderLayoutMobile.tsx
+++ b/src/view/com/home/HomeHeaderLayoutMobile.tsx
@@ -1,23 +1,24 @@
import React from 'react'
import {StyleSheet, TouchableOpacity, View} from 'react-native'
-import {usePalette} from 'lib/hooks/usePalette'
-import {Link} from '../util/Link'
+import Animated from 'react-native-reanimated'
import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome'
import {FontAwesomeIconStyle} from '@fortawesome/react-native-fontawesome'
-import {HITSLOP_10} from 'lib/constants'
-import Animated from 'react-native-reanimated'
import {msg} from '@lingui/macro'
import {useLingui} from '@lingui/react'
-import {useMinimalShellMode} from 'lib/hooks/useMinimalShellMode'
+
+import {useSession} from '#/state/session'
import {useSetDrawerOpen} from '#/state/shell/drawer-open'
import {useShellLayout} from '#/state/shell/shell-layout'
+import {HITSLOP_10} from 'lib/constants'
+import {useMinimalShellMode} from 'lib/hooks/useMinimalShellMode'
+import {usePalette} from 'lib/hooks/usePalette'
import {isWeb} from 'platform/detection'
import {Logo} from '#/view/icons/Logo'
-
-import {IS_DEV} from '#/env'
import {atoms} from '#/alf'
-import {Link as Link2} from '#/components/Link'
import {ColorPalette_Stroke2_Corner0_Rounded as ColorPalette} from '#/components/icons/ColorPalette'
+import {Link as Link2} from '#/components/Link'
+import {IS_DEV} from '#/env'
+import {Link} from '../util/Link'
export function HomeHeaderLayoutMobile({
children,
@@ -30,6 +31,7 @@ export function HomeHeaderLayoutMobile({
const setDrawerOpen = useSetDrawerOpen()
const {headerHeight} = useShellLayout()
const {headerMinimalShellTransform} = useMinimalShellMode()
+ const {hasSession} = useSession()
const onPressAvi = React.useCallback(() => {
setDrawerOpen(true)
@@ -76,18 +78,20 @@ export function HomeHeaderLayoutMobile({
)}
-
-
-
+ {hasSession && (
+
+
+
+ )}
{children}
diff --git a/src/view/com/notifications/FeedItem.tsx b/src/view/com/notifications/FeedItem.tsx
index 78b1677c3d..3c9c64061a 100644
--- a/src/view/com/notifications/FeedItem.tsx
+++ b/src/view/com/notifications/FeedItem.tsx
@@ -1,20 +1,20 @@
-import React, {memo, useMemo, useState, useEffect} from 'react'
+import React, {memo, useEffect, useMemo, useState} from 'react'
import {
Animated,
- TouchableOpacity,
Pressable,
StyleSheet,
+ TouchableOpacity,
View,
} from 'react-native'
import {
+ AppBskyActorDefs,
AppBskyEmbedImages,
+ AppBskyEmbedRecordWithMedia,
AppBskyFeedDefs,
AppBskyFeedPost,
- ModerationOpts,
- ModerationDecision,
moderateProfile,
- AppBskyEmbedRecordWithMedia,
- AppBskyActorDefs,
+ ModerationDecision,
+ ModerationOpts,
} from '@atproto/api'
import {AtUri} from '@atproto/api'
import {
@@ -22,28 +22,30 @@ import {
FontAwesomeIconStyle,
Props,
} from '@fortawesome/react-native-fontawesome'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+
import {FeedNotification} from '#/state/queries/notifications/feed'
-import {s, colors} from 'lib/styles'
-import {niceDate} from 'lib/strings/time'
+import {useAnimatedValue} from 'lib/hooks/useAnimatedValue'
+import {usePalette} from 'lib/hooks/usePalette'
+import {HeartIconSolid} from 'lib/icons'
+import {makeProfileLink} from 'lib/routes/links'
import {sanitizeDisplayName} from 'lib/strings/display-names'
import {sanitizeHandle} from 'lib/strings/handles'
import {pluralize} from 'lib/strings/helpers'
-import {HeartIconSolid} from 'lib/icons'
-import {Text} from '../util/text/Text'
-import {UserAvatar, PreviewableUserAvatar} from '../util/UserAvatar'
-import {UserPreviewLink} from '../util/UserPreviewLink'
-import {ImageHorzList} from '../util/images/ImageHorzList'
+import {niceDate} from 'lib/strings/time'
+import {colors, s} from 'lib/styles'
+import {isWeb} from 'platform/detection'
+import {Link as NewLink} from '#/components/Link'
+import {ProfileHoverCard} from '#/components/ProfileHoverCard'
+import {FeedSourceCard} from '../feeds/FeedSourceCard'
import {Post} from '../post/Post'
+import {ImageHorzList} from '../util/images/ImageHorzList'
import {Link, TextLink} from '../util/Link'
-import {usePalette} from 'lib/hooks/usePalette'
-import {useAnimatedValue} from 'lib/hooks/useAnimatedValue'
import {formatCount} from '../util/numeric/format'
-import {makeProfileLink} from 'lib/routes/links'
+import {Text} from '../util/text/Text'
import {TimeElapsed} from '../util/TimeElapsed'
-import {isWeb} from 'platform/detection'
-import {Trans, msg} from '@lingui/macro'
-import {useLingui} from '@lingui/react'
-import {FeedSourceCard} from '../feeds/FeedSourceCard'
+import {PreviewableUserAvatar, UserAvatar} from '../util/UserAvatar'
const MAX_AUTHORS = 5
@@ -356,8 +358,10 @@ function CondensedAuthorsList({
{authors.slice(0, MAX_AUTHORS).map(author => (
-
{authors.map(author => (
-
-
+
+
+
-
+
))}
)
diff --git a/src/view/com/post-thread/PostThreadItem.tsx b/src/view/com/post-thread/PostThreadItem.tsx
index 6555bdf73c..089714c727 100644
--- a/src/view/com/post-thread/PostThreadItem.tsx
+++ b/src/view/com/post-thread/PostThreadItem.tsx
@@ -1,50 +1,50 @@
import React, {memo, useMemo} from 'react'
import {StyleSheet, View} from 'react-native'
import {
- AtUri,
AppBskyFeedDefs,
AppBskyFeedPost,
- RichText as RichTextAPI,
+ AtUri,
ModerationDecision,
+ RichText as RichTextAPI,
} from '@atproto/api'
-import {moderatePost_wrapped as moderatePost} from '#/lib/moderatePost_wrapped'
import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome'
-import {PostThreadFollowBtn} from 'view/com/post-thread/PostThreadFollowBtn'
-import {Link, TextLink} from '../util/Link'
-import {RichText} from '#/components/RichText'
-import {Text} from '../util/text/Text'
-import {PreviewableUserAvatar} from '../util/UserAvatar'
-import {s} from 'lib/styles'
-import {niceDate} from 'lib/strings/time'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+
+import {moderatePost_wrapped as moderatePost} from '#/lib/moderatePost_wrapped'
+import {POST_TOMBSTONE, Shadow, usePostShadow} from '#/state/cache/post-shadow'
+import {useLanguagePrefs} from '#/state/preferences'
+import {useOpenLink} from '#/state/preferences/in-app-browser'
+import {ThreadPost} from '#/state/queries/post-thread'
+import {useModerationOpts} from '#/state/queries/preferences'
+import {useComposerControls} from '#/state/shell/composer'
+import {MAX_POST_LINES} from 'lib/constants'
+import {usePalette} from 'lib/hooks/usePalette'
+import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
+import {makeProfileLink} from 'lib/routes/links'
import {sanitizeDisplayName} from 'lib/strings/display-names'
import {sanitizeHandle} from 'lib/strings/handles'
import {countLines, pluralize} from 'lib/strings/helpers'
-import {getTranslatorLink, isPostInLanguage} from '../../../locale/helpers'
-import {PostMeta} from '../util/PostMeta'
-import {PostEmbeds} from '../util/post-embeds'
-import {PostCtrls} from '../util/post-ctrls/PostCtrls'
-import {PostHider} from '../../../components/moderation/PostHider'
+import {niceDate} from 'lib/strings/time'
+import {s} from 'lib/styles'
+import {useSession} from 'state/session'
+import {PostThreadFollowBtn} from 'view/com/post-thread/PostThreadFollowBtn'
+import {atoms as a} from '#/alf'
+import {RichText} from '#/components/RichText'
import {ContentHider} from '../../../components/moderation/ContentHider'
-import {PostAlerts} from '../../../components/moderation/PostAlerts'
import {LabelsOnMyPost} from '../../../components/moderation/LabelsOnMe'
+import {PostAlerts} from '../../../components/moderation/PostAlerts'
+import {PostHider} from '../../../components/moderation/PostHider'
+import {getTranslatorLink, isPostInLanguage} from '../../../locale/helpers'
+import {WhoCanReply} from '../threadgate/WhoCanReply'
import {ErrorMessage} from '../util/error/ErrorMessage'
-import {usePalette} from 'lib/hooks/usePalette'
+import {Link, TextLink} from '../util/Link'
import {formatCount} from '../util/numeric/format'
-import {makeProfileLink} from 'lib/routes/links'
-import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
-import {MAX_POST_LINES} from 'lib/constants'
-import {Trans, msg} from '@lingui/macro'
-import {useLingui} from '@lingui/react'
-import {useLanguagePrefs} from '#/state/preferences'
-import {useComposerControls} from '#/state/shell/composer'
-import {useModerationOpts} from '#/state/queries/preferences'
-import {useOpenLink} from '#/state/preferences/in-app-browser'
-import {Shadow, usePostShadow, POST_TOMBSTONE} from '#/state/cache/post-shadow'
-import {ThreadPost} from '#/state/queries/post-thread'
-import {useSession} from 'state/session'
-import {WhoCanReply} from '../threadgate/WhoCanReply'
-import {LoadingPlaceholder} from '../util/LoadingPlaceholder'
-import {atoms as a} from '#/alf'
+import {PostCtrls} from '../util/post-ctrls/PostCtrls'
+import {PostEmbeds} from '../util/post-embeds'
+import {PostMeta} from '../util/PostMeta'
+import {Text} from '../util/text/Text'
+import {PreviewableUserAvatar} from '../util/UserAvatar'
export function PostThreadItem({
post,
@@ -325,12 +325,6 @@ let PostThreadItemLoaded = ({
{post.repostCount !== 0 || post.likeCount !== 0 ? (
// Show this section unless we're *sure* it has no engagement.
- {post.repostCount == null && post.likeCount == null && (
- // If we're still loading and not sure, assume this post has engagement.
- // This lets us avoid a layout shift for the common case (embedded post with likes/reposts).
- // TODO: embeds should include metrics to avoid us having to guess.
-
- )}
{post.repostCount != null && post.repostCount !== 0 ? (
}) {
+ const queryClient = useQueryClient()
const pal = usePalette('default')
const {_} = useLingui()
const {openComposer} = useComposerControls()
@@ -129,8 +133,15 @@ function PostInner({
setLimitLines(false)
}, [setLimitLines])
+ const onBeforePress = React.useCallback(() => {
+ queryClient.setQueryData(RQKEY_URI(post.author.handle), post.author.did)
+ }, [queryClient, post.author.handle, post.author.did])
+
return (
-
+
{showReplyLine && }
diff --git a/src/view/com/posts/FeedItem.tsx b/src/view/com/posts/FeedItem.tsx
index 0fbcc4a13c..cc403b7742 100644
--- a/src/view/com/posts/FeedItem.tsx
+++ b/src/view/com/posts/FeedItem.tsx
@@ -11,31 +11,33 @@ import {
FontAwesomeIcon,
FontAwesomeIconStyle,
} from '@fortawesome/react-native-fontawesome'
-import {ReasonFeedSource, isReasonFeedSource} from 'lib/api/feed/types'
-import {Link, TextLinkOnWebOnly, TextLink} from '../util/Link'
-import {Text} from '../util/text/Text'
-import {UserInfoText} from '../util/UserInfoText'
-import {PostMeta} from '../util/PostMeta'
-import {PostCtrls} from '../util/post-ctrls/PostCtrls'
-import {PostEmbeds} from '../util/post-embeds'
-import {ContentHider} from '#/components/moderation/ContentHider'
-import {PostAlerts} from '../../../components/moderation/PostAlerts'
-import {LabelsOnMyPost} from '../../../components/moderation/LabelsOnMe'
-import {RichText} from '#/components/RichText'
-import {PreviewableUserAvatar} from '../util/UserAvatar'
-import {s} from 'lib/styles'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+
+import {POST_TOMBSTONE, Shadow, usePostShadow} from '#/state/cache/post-shadow'
+import {useComposerControls} from '#/state/shell/composer'
+import {isReasonFeedSource, ReasonFeedSource} from 'lib/api/feed/types'
+import {MAX_POST_LINES} from 'lib/constants'
import {usePalette} from 'lib/hooks/usePalette'
+import {makeProfileLink} from 'lib/routes/links'
import {sanitizeDisplayName} from 'lib/strings/display-names'
import {sanitizeHandle} from 'lib/strings/handles'
-import {makeProfileLink} from 'lib/routes/links'
-import {MAX_POST_LINES} from 'lib/constants'
import {countLines} from 'lib/strings/helpers'
-import {useComposerControls} from '#/state/shell/composer'
-import {Shadow, usePostShadow, POST_TOMBSTONE} from '#/state/cache/post-shadow'
-import {FeedNameText} from '../util/FeedInfoText'
-import {Trans, msg} from '@lingui/macro'
-import {useLingui} from '@lingui/react'
+import {s} from 'lib/styles'
import {atoms as a} from '#/alf'
+import {ContentHider} from '#/components/moderation/ContentHider'
+import {ProfileHoverCard} from '#/components/ProfileHoverCard'
+import {RichText} from '#/components/RichText'
+import {LabelsOnMyPost} from '../../../components/moderation/LabelsOnMe'
+import {PostAlerts} from '../../../components/moderation/PostAlerts'
+import {FeedNameText} from '../util/FeedInfoText'
+import {Link, TextLink, TextLinkOnWebOnly} from '../util/Link'
+import {PostCtrls} from '../util/post-ctrls/PostCtrls'
+import {PostEmbeds} from '../util/post-embeds'
+import {PostMeta} from '../util/PostMeta'
+import {Text} from '../util/text/Text'
+import {PreviewableUserAvatar} from '../util/UserAvatar'
+import {UserInfoText} from '../util/UserInfoText'
export function FeedItem({
post,
@@ -213,17 +215,20 @@ let FeedItemInner = ({
numberOfLines={1}>
Reposted by{' '}
-
+
+
+
diff --git a/src/view/com/profile/ProfileCard.tsx b/src/view/com/profile/ProfileCard.tsx
index 235139fff0..b52573a018 100644
--- a/src/view/com/profile/ProfileCard.tsx
+++ b/src/view/com/profile/ProfileCard.tsx
@@ -1,4 +1,4 @@
-import * as React from 'react'
+import React from 'react'
import {StyleProp, StyleSheet, View, ViewStyle} from 'react-native'
import {
AppBskyActorDefs,
@@ -6,22 +6,26 @@ import {
ModerationCause,
ModerationDecision,
} from '@atproto/api'
-import {Link} from '../util/Link'
-import {Text} from '../util/text/Text'
-import {UserAvatar} from '../util/UserAvatar'
-import {s} from 'lib/styles'
-import {usePalette} from 'lib/hooks/usePalette'
-import {FollowButton} from './FollowButton'
-import {sanitizeDisplayName} from 'lib/strings/display-names'
-import {sanitizeHandle} from 'lib/strings/handles'
-import {makeProfileLink} from 'lib/routes/links'
-import {getModerationCauseKey, isJustAMute} from 'lib/moderation'
+import {Trans} from '@lingui/macro'
+import {useQueryClient} from '@tanstack/react-query'
+
+import {useModerationCauseDescription} from '#/lib/moderation/useModerationCauseDescription'
+import {useProfileShadow} from '#/state/cache/profile-shadow'
import {Shadow} from '#/state/cache/types'
import {useModerationOpts} from '#/state/queries/preferences'
-import {useProfileShadow} from '#/state/cache/profile-shadow'
import {useSession} from '#/state/session'
-import {Trans} from '@lingui/macro'
-import {useModerationCauseDescription} from '#/lib/moderation/useModerationCauseDescription'
+import {usePalette} from 'lib/hooks/usePalette'
+import {getModerationCauseKey, isJustAMute} from 'lib/moderation'
+import {makeProfileLink} from 'lib/routes/links'
+import {sanitizeDisplayName} from 'lib/strings/display-names'
+import {sanitizeHandle} from 'lib/strings/handles'
+import {s} from 'lib/styles'
+import {profileBasicQueryKey as RQKEY_PROFILE_BASIC} from 'state/queries/profile'
+import {RQKEY as RQKEY_URI} from 'state/queries/resolve-uri'
+import {Link} from '../util/Link'
+import {Text} from '../util/text/Text'
+import {PreviewableUserAvatar} from '../util/UserAvatar'
+import {FollowButton} from './FollowButton'
export function ProfileCard({
testID,
@@ -46,10 +50,19 @@ export function ProfileCard({
onPress?: () => void
style?: StyleProp
}) {
+ const queryClient = useQueryClient()
const pal = usePalette('default')
const profile = useProfileShadow(profileUnshadowed)
const moderationOpts = useModerationOpts()
const isLabeler = profile?.associated?.labeler
+
+ const onBeforePress = React.useCallback(() => {
+ onPress?.()
+
+ queryClient.setQueryData(RQKEY_URI(profile.handle), profile.did)
+ queryClient.setQueryData(RQKEY_PROFILE_BASIC(profile.did), profile)
+ }, [onPress, profile, queryClient])
+
if (!moderationOpts) {
return null
}
@@ -71,13 +84,15 @@ export function ProfileCard({
]}
href={makeProfileLink(profile)}
title={profile.handle}
- onBeforePress={onPress}
asAnchor
+ onBeforePress={onBeforePress}
anchorNoUnderline>
- (
-
diff --git a/src/view/com/profile/ProfileHeaderSuggestedFollows.tsx b/src/view/com/profile/ProfileHeaderSuggestedFollows.tsx
index 3602cdb9a8..cf35885cd2 100644
--- a/src/view/com/profile/ProfileHeaderSuggestedFollows.tsx
+++ b/src/view/com/profile/ProfileHeaderSuggestedFollows.tsx
@@ -1,28 +1,28 @@
import React from 'react'
-import {View, StyleSheet, Pressable, ScrollView} from 'react-native'
+import {Pressable, ScrollView, StyleSheet, View} from 'react-native'
import {AppBskyActorDefs, moderateProfile} from '@atproto/api'
import {
FontAwesomeIcon,
FontAwesomeIconStyle,
} from '@fortawesome/react-native-fontawesome'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
-import * as Toast from '../util/Toast'
+import {useProfileShadow} from '#/state/cache/profile-shadow'
+import {useModerationOpts} from '#/state/queries/preferences'
+import {useProfileFollowMutationQueue} from '#/state/queries/profile'
+import {useSuggestedFollowsByActorQuery} from '#/state/queries/suggested-follows'
+import {useAnalytics} from 'lib/analytics/analytics'
import {usePalette} from 'lib/hooks/usePalette'
-import {Text} from 'view/com/util/text/Text'
-import {UserAvatar} from 'view/com/util/UserAvatar'
-import {Button} from 'view/com/util/forms/Button'
+import {makeProfileLink} from 'lib/routes/links'
import {sanitizeDisplayName} from 'lib/strings/display-names'
import {sanitizeHandle} from 'lib/strings/handles'
-import {makeProfileLink} from 'lib/routes/links'
-import {Link} from 'view/com/util/Link'
-import {useAnalytics} from 'lib/analytics/analytics'
import {isWeb} from 'platform/detection'
-import {useModerationOpts} from '#/state/queries/preferences'
-import {useSuggestedFollowsByActorQuery} from '#/state/queries/suggested-follows'
-import {useProfileShadow} from '#/state/cache/profile-shadow'
-import {useProfileFollowMutationQueue} from '#/state/queries/profile'
-import {useLingui} from '@lingui/react'
-import {Trans, msg} from '@lingui/macro'
+import {Button} from 'view/com/util/forms/Button'
+import {Link} from 'view/com/util/Link'
+import {Text} from 'view/com/util/text/Text'
+import {PreviewableUserAvatar} from 'view/com/util/UserAvatar'
+import * as Toast from '../util/Toast'
const OUTER_PADDING = 10
const INNER_PADDING = 14
@@ -218,8 +218,10 @@ function SuggestedFollow({
backgroundColor: pal.view.backgroundColor,
},
]}>
-
diff --git a/src/view/com/util/List.tsx b/src/view/com/util/List.tsx
index d30a9d805b..b3bde2a118 100644
--- a/src/view/com/util/List.tsx
+++ b/src/view/com/util/List.tsx
@@ -1,11 +1,14 @@
import React, {memo} from 'react'
import {FlatListProps, RefreshControl} from 'react-native'
-import {FlatList_INTERNAL} from './Views'
-import {addStyle} from 'lib/styles'
-import {useScrollHandlers} from '#/lib/ScrollContext'
import {runOnJS, useSharedValue} from 'react-native-reanimated'
+
import {useAnimatedScrollHandler} from '#/lib/hooks/useAnimatedScrollHandler_FIXED'
import {usePalette} from '#/lib/hooks/usePalette'
+import {useScrollHandlers} from '#/lib/ScrollContext'
+import {useGate} from 'lib/statsig/statsig'
+import {addStyle} from 'lib/styles'
+import {isWeb} from 'platform/detection'
+import {FlatList_INTERNAL} from './Views'
export type ListMethods = FlatList_INTERNAL
export type ListProps = Omit<
@@ -37,7 +40,8 @@ function ListImpl(
const isScrolledDown = useSharedValue(false)
const contextScrollHandlers = useScrollHandlers()
const pal = usePalette('default')
-
+ const showsVerticalScrollIndicator =
+ !useGate('hide_vertical_scroll_indicators') || isWeb
function handleScrolledDownChange(didScrollDown: boolean) {
onScrolledDownChange?.(didScrollDown)
}
@@ -93,6 +97,7 @@ function ListImpl(
scrollEventThrottle={1}
style={style}
ref={ref}
+ showsVerticalScrollIndicator={showsVerticalScrollIndicator}
/>
)
}
diff --git a/src/view/com/util/PostMeta.tsx b/src/view/com/util/PostMeta.tsx
index 529fc54e01..b37c69448e 100644
--- a/src/view/com/util/PostMeta.tsx
+++ b/src/view/com/util/PostMeta.tsx
@@ -1,18 +1,19 @@
import React, {memo} from 'react'
import {StyleProp, StyleSheet, TextStyle, View, ViewStyle} from 'react-native'
-import {Text} from './text/Text'
-import {TextLinkOnWebOnly} from './Link'
-import {niceDate} from 'lib/strings/time'
+import {AppBskyActorDefs, ModerationDecision, ModerationUI} from '@atproto/api'
+
+import {usePrefetchProfileQuery} from '#/state/queries/profile'
import {usePalette} from 'lib/hooks/usePalette'
-import {TypographyVariant} from 'lib/ThemeContext'
-import {UserAvatar} from './UserAvatar'
+import {makeProfileLink} from 'lib/routes/links'
import {sanitizeDisplayName} from 'lib/strings/display-names'
import {sanitizeHandle} from 'lib/strings/handles'
+import {niceDate} from 'lib/strings/time'
+import {TypographyVariant} from 'lib/ThemeContext'
import {isAndroid, isWeb} from 'platform/detection'
+import {TextLinkOnWebOnly} from './Link'
+import {Text} from './text/Text'
import {TimeElapsed} from './TimeElapsed'
-import {makeProfileLink} from 'lib/routes/links'
-import {AppBskyActorDefs, ModerationDecision, ModerationUI} from '@atproto/api'
-import {usePrefetchProfileQuery} from '#/state/queries/profile'
+import {PreviewableUserAvatar} from './UserAvatar'
interface PostMetaOpts {
author: AppBskyActorDefs.ProfileViewBasic
@@ -38,9 +39,11 @@ let PostMeta = (opts: PostMetaOpts): React.ReactNode => {
{opts.showAvatar && (
-
diff --git a/src/view/com/util/UserAvatar.tsx b/src/view/com/util/UserAvatar.tsx
index 4beedbd5b4..89aa56b736 100644
--- a/src/view/com/util/UserAvatar.tsx
+++ b/src/view/com/util/UserAvatar.tsx
@@ -1,30 +1,32 @@
import React, {memo, useMemo} from 'react'
import {Image, StyleSheet, TouchableOpacity, View} from 'react-native'
-import Svg, {Circle, Rect, Path} from 'react-native-svg'
import {Image as RNImage} from 'react-native-image-crop-picker'
-import {useLingui} from '@lingui/react'
-import {msg, Trans} from '@lingui/macro'
-import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome'
+import Svg, {Circle, Path, Rect} from 'react-native-svg'
import {ModerationUI} from '@atproto/api'
+import {FontAwesomeIcon} from '@fortawesome/react-native-fontawesome'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
-import {HighPriorityImage} from 'view/com/util/images/Image'
-import {openCamera, openCropper, openPicker} from '../../../lib/media/picker'
+import {usePalette} from 'lib/hooks/usePalette'
import {
- usePhotoLibraryPermission,
useCameraPermission,
+ usePhotoLibraryPermission,
} from 'lib/hooks/usePermissions'
+import {makeProfileLink} from 'lib/routes/links'
import {colors} from 'lib/styles'
-import {usePalette} from 'lib/hooks/usePalette'
-import {isWeb, isAndroid, isNative} from 'platform/detection'
-import {UserPreviewLink} from './UserPreviewLink'
-import * as Menu from '#/components/Menu'
+import {isAndroid, isNative, isWeb} from 'platform/detection'
+import {HighPriorityImage} from 'view/com/util/images/Image'
+import {tokens, useTheme} from '#/alf'
import {
- Camera_Stroke2_Corner0_Rounded as Camera,
Camera_Filled_Stroke2_Corner0_Rounded as CameraFilled,
+ Camera_Stroke2_Corner0_Rounded as Camera,
} from '#/components/icons/Camera'
import {StreamingLive_Stroke2_Corner0_Rounded as Library} from '#/components/icons/StreamingLive'
import {Trash_Stroke2_Corner0_Rounded as Trash} from '#/components/icons/Trash'
-import {useTheme, tokens} from '#/alf'
+import {Link} from '#/components/Link'
+import * as Menu from '#/components/Menu'
+import {ProfileHoverCard} from '#/components/ProfileHoverCard'
+import {openCamera, openCropper, openPicker} from '../../../lib/media/picker'
export type UserAvatarType = 'user' | 'algo' | 'list' | 'labeler'
@@ -372,10 +374,18 @@ export {EditableUserAvatar}
let PreviewableUserAvatar = (
props: PreviewableUserAvatarProps,
): React.ReactNode => {
+ const {_} = useLingui()
return (
-
-
-
+
+
+
+
+
)
}
PreviewableUserAvatar = memo(PreviewableUserAvatar)
diff --git a/src/view/com/util/UserPreviewLink.tsx b/src/view/com/util/UserPreviewLink.tsx
deleted file mode 100644
index a2c46afc01..0000000000
--- a/src/view/com/util/UserPreviewLink.tsx
+++ /dev/null
@@ -1,31 +0,0 @@
-import React from 'react'
-import {StyleProp, ViewStyle} from 'react-native'
-import {Link} from './Link'
-import {isWeb} from 'platform/detection'
-import {makeProfileLink} from 'lib/routes/links'
-import {usePrefetchProfileQuery} from '#/state/queries/profile'
-
-interface UserPreviewLinkProps {
- did: string
- handle: string
- style?: StyleProp
-}
-export function UserPreviewLink(
- props: React.PropsWithChildren,
-) {
- const prefetchProfileQuery = usePrefetchProfileQuery()
- return (
- {
- if (isWeb) {
- prefetchProfileQuery(props.did)
- }
- }}
- href={makeProfileLink(props)}
- title={props.handle}
- asAnchor
- style={props.style}>
- {props.children}
-
- )
-}
diff --git a/src/view/com/util/Views.jsx b/src/view/com/util/Views.jsx
index 7d6120583f..6850f42a48 100644
--- a/src/view/com/util/Views.jsx
+++ b/src/view/com/util/Views.jsx
@@ -2,8 +2,22 @@ import React from 'react'
import {View} from 'react-native'
import Animated from 'react-native-reanimated'
+import {useGate} from 'lib/statsig/statsig'
+
export const FlatList_INTERNAL = Animated.FlatList
-export const ScrollView = Animated.ScrollView
export function CenteredView(props) {
return
}
+
+export function ScrollView(props) {
+ const showsVerticalScrollIndicator = !useGate(
+ 'hide_vertical_scroll_indicators',
+ )
+
+ return (
+
+ )
+}
diff --git a/src/view/com/util/forms/PostDropdownBtn.tsx b/src/view/com/util/forms/PostDropdownBtn.tsx
index 959e0f692e..31032396f3 100644
--- a/src/view/com/util/forms/PostDropdownBtn.tsx
+++ b/src/view/com/util/forms/PostDropdownBtn.tsx
@@ -28,12 +28,14 @@ import {getCurrentRoute} from 'lib/routes/helpers'
import {shareUrl} from 'lib/sharing'
import {toShareUrl} from 'lib/strings/url-helpers'
import {useTheme} from 'lib/ThemeContext'
-import {atoms as a, useTheme as useAlf} from '#/alf'
+import {atoms as a, useBreakpoints, useTheme as useAlf} from '#/alf'
import {useDialogControl} from '#/components/Dialog'
import {useGlobalDialogsControlContext} from '#/components/dialogs/Context'
+import {EmbedDialog} from '#/components/dialogs/Embed'
import {ArrowOutOfBox_Stroke2_Corner0_Rounded as Share} from '#/components/icons/ArrowOutOfBox'
import {BubbleQuestion_Stroke2_Corner0_Rounded as Translate} from '#/components/icons/Bubble'
import {Clipboard_Stroke2_Corner2_Rounded as ClipboardIcon} from '#/components/icons/Clipboard'
+import {CodeBrackets_Stroke2_Corner0_Rounded as CodeBrackets} from '#/components/icons/CodeBrackets'
import {EyeSlash_Stroke2_Corner0_Rounded as EyeSlash} from '#/components/icons/EyeSlash'
import {Filter_Stroke2_Corner0_Rounded as Filter} from '#/components/icons/Filter'
import {Mute_Stroke2_Corner0_Rounded as Mute} from '#/components/icons/Mute'
@@ -55,6 +57,7 @@ let PostDropdownBtn = ({
richText,
style,
hitSlop,
+ timestamp,
}: {
testID: string
postAuthor: AppBskyActorDefs.ProfileViewBasic
@@ -64,10 +67,12 @@ let PostDropdownBtn = ({
richText: RichTextAPI
style?: StyleProp
hitSlop?: PressableProps['hitSlop']
+ timestamp: string
}): React.ReactNode => {
const {hasSession, currentAccount} = useSession()
const theme = useTheme()
const alf = useAlf()
+ const {gtMobile} = useBreakpoints()
const {_} = useLingui()
const defaultCtrlColor = theme.palette.default.postCtrl
const langPrefs = useLanguagePrefs()
@@ -83,6 +88,7 @@ let PostDropdownBtn = ({
const deletePromptControl = useDialogControl()
const hidePromptControl = useDialogControl()
const loggedOutWarningPromptControl = useDialogControl()
+ const embedPostControl = useDialogControl()
const rootUri = record.reply?.root?.uri || postUri
const isThreadMuted = mutedThreads.includes(rootUri)
@@ -177,6 +183,8 @@ let PostDropdownBtn = ({
shareUrl(url)
}, [href])
+ const canEmbed = isWeb && gtMobile && !shouldShowLoggedOutWarning
+
return (
@@ -238,6 +246,16 @@ let PostDropdownBtn = ({
+
+ {canEmbed && (
+
+ {_(msg`Embed post`)}
+
+
+ )}
{hasSession && (
@@ -283,29 +301,33 @@ let PostDropdownBtn = ({
>
)}
-
+ {hasSession && (
+ <>
+
-
- {!isAuthor && (
- reportDialogControl.open()}>
- {_(msg`Report post`)}
-
-
- )}
+
+ {!isAuthor && (
+ reportDialogControl.open()}>
+ {_(msg`Report post`)}
+
+
+ )}
- {isAuthor && (
-
- {_(msg`Delete post`)}
-
-
- )}
-
+ {isAuthor && (
+
+ {_(msg`Delete post`)}
+
+
+ )}
+
+ >
+ )}
@@ -346,6 +368,17 @@ let PostDropdownBtn = ({
onConfirm={onSharePost}
confirmButtonCta={_(msg`Share anyway`)}
/>
+
+ {canEmbed && (
+
+ )}
)
}
diff --git a/src/view/com/util/post-ctrls/PostCtrls.tsx b/src/view/com/util/post-ctrls/PostCtrls.tsx
index cd4a363730..cb50ee6dc3 100644
--- a/src/view/com/util/post-ctrls/PostCtrls.tsx
+++ b/src/view/com/util/post-ctrls/PostCtrls.tsx
@@ -264,6 +264,7 @@ let PostCtrls = ({
richText={richText}
style={styles.btnPad}
hitSlop={big ? HITSLOP_20 : HITSLOP_10}
+ timestamp={post.indexedAt}
/>
diff --git a/src/view/com/util/post-embeds/QuoteEmbed.tsx b/src/view/com/util/post-embeds/QuoteEmbed.tsx
index 2b1c3e6179..b5f57825b6 100644
--- a/src/view/com/util/post-embeds/QuoteEmbed.tsx
+++ b/src/view/com/util/post-embeds/QuoteEmbed.tsx
@@ -1,31 +1,34 @@
import React from 'react'
import {StyleProp, StyleSheet, View, ViewStyle} from 'react-native'
import {
- AppBskyFeedDefs,
- AppBskyEmbedRecord,
- AppBskyFeedPost,
+ AppBskyEmbedExternal,
AppBskyEmbedImages,
+ AppBskyEmbedRecord,
AppBskyEmbedRecordWithMedia,
- AppBskyEmbedExternal,
- RichText as RichTextAPI,
+ AppBskyFeedDefs,
+ AppBskyFeedPost,
moderatePost,
ModerationDecision,
+ RichText as RichTextAPI,
} from '@atproto/api'
import {AtUri} from '@atproto/api'
-import {PostMeta} from '../PostMeta'
-import {Link} from '../Link'
-import {Text} from '../text/Text'
-import {usePalette} from 'lib/hooks/usePalette'
-import {ComposerOptsQuote} from 'state/shell/composer'
-import {PostEmbeds} from '.'
-import {PostAlerts} from '../../../../components/moderation/PostAlerts'
-import {makeProfileLink} from 'lib/routes/links'
-import {InfoCircleIcon} from 'lib/icons'
import {Trans} from '@lingui/macro'
+import {useQueryClient} from '@tanstack/react-query'
+
import {useModerationOpts} from '#/state/queries/preferences'
-import {ContentHider} from '../../../../components/moderation/ContentHider'
-import {RichText} from '#/components/RichText'
+import {RQKEY as RQKEY_URI} from '#/state/queries/resolve-uri'
+import {usePalette} from 'lib/hooks/usePalette'
+import {InfoCircleIcon} from 'lib/icons'
+import {makeProfileLink} from 'lib/routes/links'
+import {ComposerOptsQuote} from 'state/shell/composer'
import {atoms as a} from '#/alf'
+import {RichText} from '#/components/RichText'
+import {ContentHider} from '../../../../components/moderation/ContentHider'
+import {PostAlerts} from '../../../../components/moderation/PostAlerts'
+import {Link} from '../Link'
+import {PostMeta} from '../PostMeta'
+import {Text} from '../text/Text'
+import {PostEmbeds} from '.'
export function MaybeQuoteEmbed({
embed,
@@ -107,6 +110,7 @@ export function QuoteEmbed({
moderation?: ModerationDecision
style?: StyleProp
}) {
+ const queryClient = useQueryClient()
const pal = usePalette('default')
const itemUrip = new AtUri(quote.uri)
const itemHref = makeProfileLink(quote.author, 'post', itemUrip.rkey)
@@ -134,13 +138,18 @@ export function QuoteEmbed({
}
}, [quote.embeds])
+ const onBeforePress = React.useCallback(() => {
+ queryClient.setQueryData(RQKEY_URI(quote.author.handle), quote.author.did)
+ }, [queryClient, quote.author.did, quote.author.handle])
+
return (
+ title={itemTitle}
+ onBeforePress={onBeforePress}>
@@ -100,6 +101,22 @@ type FlatlistSlice =
key: string
}
+// HACK
+// the protocol doesn't yet tell us which feeds are personalized
+// this list is used to filter out feed recommendations from logged out users
+// for the ones we know need it
+// -prf
+const KNOWN_AUTHED_ONLY_FEEDS = [
+ 'at://did:plc:z72i7hdynmk6r22z27h6tvur/app.bsky.feed.generator/with-friends', // popular with friends, by bsky.app
+ 'at://did:plc:tenurhgjptubkk5zf5qhi3og/app.bsky.feed.generator/mutuals', // mutuals, by skyfeed
+ 'at://did:plc:tenurhgjptubkk5zf5qhi3og/app.bsky.feed.generator/only-posts', // only posts, by skyfeed
+ 'at://did:plc:wzsilnxf24ehtmmc3gssy5bu/app.bsky.feed.generator/mentions', // mentions, by flicknow
+ 'at://did:plc:q6gjnaw2blty4crticxkmujt/app.bsky.feed.generator/bangers', // my bangers, by jaz
+ 'at://did:plc:z72i7hdynmk6r22z27h6tvur/app.bsky.feed.generator/mutuals', // mutuals, by bluesky
+ 'at://did:plc:q6gjnaw2blty4crticxkmujt/app.bsky.feed.generator/my-followers', // followers, by jaz
+ 'at://did:plc:vpkhqolt662uhesyj6nxm7ys/app.bsky.feed.generator/followpics', // the gram, by why
+]
+
export function FeedsScreen(_props: Props) {
const pal = usePalette('default')
const {openComposer} = useComposerControls()
@@ -299,7 +316,15 @@ export function FeedsScreen(_props: Props) {
for (const page of popularFeeds.pages || []) {
slices = slices.concat(
page.feeds
- .filter(feed => !preferences?.feeds?.saved.includes(feed.uri))
+ .filter(feed => {
+ if (
+ !hasSession &&
+ KNOWN_AUTHED_ONLY_FEEDS.includes(feed.uri)
+ ) {
+ return false
+ }
+ return !preferences?.feeds?.saved.includes(feed.uri)
+ })
.map(feed => ({
key: `popularFeed:${feed.uri}`,
type: 'popularFeed',
diff --git a/src/view/screens/Home.tsx b/src/view/screens/Home.tsx
index 39bdac669c..b55053af0a 100644
--- a/src/view/screens/Home.tsx
+++ b/src/view/screens/Home.tsx
@@ -2,6 +2,7 @@ import React from 'react'
import {ActivityIndicator, AppState, StyleSheet, View} from 'react-native'
import {useFocusEffect} from '@react-navigation/native'
+import {PROD_DEFAULT_FEED} from '#/lib/constants'
import {useNonReactiveCallback} from '#/lib/hooks/useNonReactiveCallback'
import {useSetTitle} from '#/lib/hooks/useSetTitle'
import {logEvent, LogEvents, useGate} from '#/lib/statsig/statsig'
@@ -13,13 +14,13 @@ import {UsePreferencesQueryResponse} from '#/state/queries/preferences/types'
import {useSession} from '#/state/session'
import {useSetDrawerSwipeDisabled, useSetMinimalShellMode} from '#/state/shell'
import {useSelectedFeed, useSetSelectedFeed} from '#/state/shell/selected-feed'
+import {useOTAUpdates} from 'lib/hooks/useOTAUpdates'
import {HomeTabNavigatorParams, NativeStackScreenProps} from 'lib/routes/types'
import {FeedPage} from 'view/com/feeds/FeedPage'
import {Pager, PagerRef, RenderTabBarFnProps} from 'view/com/pager/Pager'
import {CustomFeedEmptyState} from 'view/com/posts/CustomFeedEmptyState'
import {FollowingEmptyState} from 'view/com/posts/FollowingEmptyState'
import {FollowingEndOfFeed} from 'view/com/posts/FollowingEndOfFeed'
-import {HomeLoggedOutCTA} from '../com/auth/HomeLoggedOutCTA'
import {HomeHeader} from '../com/home/HomeHeader'
type Props = NativeStackScreenProps
@@ -51,6 +52,8 @@ function HomeScreenReady({
preferences: UsePreferencesQueryResponse
pinnedFeedInfos: FeedSourceInfo[]
}) {
+ useOTAUpdates()
+
const allFeeds = React.useMemo(() => {
const feeds: FeedDescriptor[] = []
feeds.push('home')
@@ -231,7 +234,12 @@ function HomeScreenReady({
onPageSelected={onPageSelected}
onPageScrollStateChanged={onPageScrollStateChanged}
renderTabBar={renderTabBar}>
-
+
)
}
diff --git a/src/view/screens/ModerationBlockedAccounts.tsx b/src/view/screens/ModerationBlockedAccounts.tsx
index eb3b270488..7b68c22560 100644
--- a/src/view/screens/ModerationBlockedAccounts.tsx
+++ b/src/view/screens/ModerationBlockedAccounts.tsx
@@ -7,23 +7,26 @@ import {
View,
} from 'react-native'
import {AppBskyActorDefs as ActorDefs} from '@atproto/api'
-import {Text} from '../com/util/text/Text'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+import {useFocusEffect} from '@react-navigation/native'
+import {NativeStackScreenProps} from '@react-navigation/native-stack'
+
+import {cleanError} from '#/lib/strings/errors'
+import {logger} from '#/logger'
+import {useMyBlockedAccountsQuery} from '#/state/queries/my-blocked-accounts'
+import {useSetMinimalShellMode} from '#/state/shell'
+import {useAnalytics} from 'lib/analytics/analytics'
import {usePalette} from 'lib/hooks/usePalette'
import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
-import {NativeStackScreenProps} from '@react-navigation/native-stack'
import {CommonNavigatorParams} from 'lib/routes/types'
-import {useAnalytics} from 'lib/analytics/analytics'
-import {useFocusEffect} from '@react-navigation/native'
-import {ViewHeader} from '../com/util/ViewHeader'
+import {useGate} from 'lib/statsig/statsig'
+import {isWeb} from 'platform/detection'
+import {ProfileCard} from 'view/com/profile/ProfileCard'
import {CenteredView} from 'view/com/util/Views'
import {ErrorScreen} from '../com/util/error/ErrorScreen'
-import {ProfileCard} from 'view/com/profile/ProfileCard'
-import {logger} from '#/logger'
-import {useSetMinimalShellMode} from '#/state/shell'
-import {Trans, msg} from '@lingui/macro'
-import {useLingui} from '@lingui/react'
-import {useMyBlockedAccountsQuery} from '#/state/queries/my-blocked-accounts'
-import {cleanError} from '#/lib/strings/errors'
+import {Text} from '../com/util/text/Text'
+import {ViewHeader} from '../com/util/ViewHeader'
type Props = NativeStackScreenProps<
CommonNavigatorParams,
@@ -35,6 +38,9 @@ export function ModerationBlockedAccounts({}: Props) {
const setMinimalShellMode = useSetMinimalShellMode()
const {isTabletOrDesktop} = useWebMediaQueries()
const {screen} = useAnalytics()
+ const showsVerticalScrollIndicator =
+ !useGate('hide_vertical_scroll_indicators') || isWeb
+
const [isPTRing, setIsPTRing] = React.useState(false)
const {
data,
@@ -163,6 +169,7 @@ export function ModerationBlockedAccounts({}: Props) {
)}
// @ts-ignore our .web version only -prf
desktopFixedHeight
+ showsVerticalScrollIndicator={showsVerticalScrollIndicator}
/>
)}
diff --git a/src/view/screens/ModerationMutedAccounts.tsx b/src/view/screens/ModerationMutedAccounts.tsx
index 911ace7782..22dd5a2784 100644
--- a/src/view/screens/ModerationMutedAccounts.tsx
+++ b/src/view/screens/ModerationMutedAccounts.tsx
@@ -7,23 +7,26 @@ import {
View,
} from 'react-native'
import {AppBskyActorDefs as ActorDefs} from '@atproto/api'
-import {Text} from '../com/util/text/Text'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+import {useFocusEffect} from '@react-navigation/native'
+import {NativeStackScreenProps} from '@react-navigation/native-stack'
+
+import {cleanError} from '#/lib/strings/errors'
+import {logger} from '#/logger'
+import {useMyMutedAccountsQuery} from '#/state/queries/my-muted-accounts'
+import {useSetMinimalShellMode} from '#/state/shell'
+import {useAnalytics} from 'lib/analytics/analytics'
import {usePalette} from 'lib/hooks/usePalette'
import {useWebMediaQueries} from 'lib/hooks/useWebMediaQueries'
-import {NativeStackScreenProps} from '@react-navigation/native-stack'
import {CommonNavigatorParams} from 'lib/routes/types'
-import {useAnalytics} from 'lib/analytics/analytics'
-import {useFocusEffect} from '@react-navigation/native'
-import {ViewHeader} from '../com/util/ViewHeader'
+import {useGate} from 'lib/statsig/statsig'
+import {isWeb} from 'platform/detection'
+import {ProfileCard} from 'view/com/profile/ProfileCard'
import {CenteredView} from 'view/com/util/Views'
import {ErrorScreen} from '../com/util/error/ErrorScreen'
-import {ProfileCard} from 'view/com/profile/ProfileCard'
-import {logger} from '#/logger'
-import {useSetMinimalShellMode} from '#/state/shell'
-import {Trans, msg} from '@lingui/macro'
-import {useLingui} from '@lingui/react'
-import {useMyMutedAccountsQuery} from '#/state/queries/my-muted-accounts'
-import {cleanError} from '#/lib/strings/errors'
+import {Text} from '../com/util/text/Text'
+import {ViewHeader} from '../com/util/ViewHeader'
type Props = NativeStackScreenProps<
CommonNavigatorParams,
@@ -35,6 +38,8 @@ export function ModerationMutedAccounts({}: Props) {
const setMinimalShellMode = useSetMinimalShellMode()
const {isTabletOrDesktop} = useWebMediaQueries()
const {screen} = useAnalytics()
+ const showsVerticalScrollIndicator =
+ !useGate('hide_vertical_scroll_indicators') || isWeb
const [isPTRing, setIsPTRing] = React.useState(false)
const {
data,
@@ -162,6 +167,7 @@ export function ModerationMutedAccounts({}: Props) {
)}
// @ts-ignore our .web version only -prf
desktopFixedHeight
+ showsVerticalScrollIndicator={showsVerticalScrollIndicator}
/>
)}
diff --git a/src/view/screens/Profile.tsx b/src/view/screens/Profile.tsx
index c391f80508..f71e1330ef 100644
--- a/src/view/screens/Profile.tsx
+++ b/src/view/screens/Profile.tsx
@@ -184,8 +184,7 @@ function ProfileScreenLoaded({
const showRepliesTab = hasSession
const showMediaTab = !hasLabeler
const showLikesTab = isMe
- const showFeedsTab =
- hasSession && (isMe || (profile.associated?.feedgens || 0) > 0)
+ const showFeedsTab = isMe || (profile.associated?.feedgens || 0) > 0
const showListsTab =
hasSession && (isMe || (profile.associated?.lists || 0) > 0)
diff --git a/src/view/screens/Search/Search.tsx b/src/view/screens/Search/Search.tsx
index 3b06992fc9..f5ebd155c8 100644
--- a/src/view/screens/Search/Search.tsx
+++ b/src/view/screens/Search/Search.tsx
@@ -32,7 +32,10 @@ import {useActorAutocompleteFn} from '#/state/queries/actor-autocomplete'
import {useActorSearch} from '#/state/queries/actor-search'
import {useModerationOpts} from '#/state/queries/preferences'
import {useSearchPostsQuery} from '#/state/queries/search-posts'
-import {useGetSuggestedFollowersByActor} from '#/state/queries/suggested-follows'
+import {
+ useGetSuggestedFollowersByActor,
+ useSuggestedFollowsQuery,
+} from '#/state/queries/suggested-follows'
import {useSession} from '#/state/session'
import {useSetDrawerOpen} from '#/state/shell'
import {useSetDrawerSwipeDisabled, useSetMinimalShellMode} from '#/state/shell'
@@ -118,8 +121,10 @@ function EmptyState({message, error}: {message: string; error?: string}) {
)
}
-function SearchScreenSuggestedFollows() {
- const pal = usePalette('default')
+function useSuggestedFollowsV1(): [
+ AppBskyActorDefs.ProfileViewBasic[],
+ () => void,
+] {
const {currentAccount} = useSession()
const [suggestions, setSuggestions] = React.useState<
AppBskyActorDefs.ProfileViewBasic[]
@@ -162,6 +167,56 @@ function SearchScreenSuggestedFollows() {
}
}, [currentAccount, setSuggestions, getSuggestedFollowsByActor])
+ return [suggestions, () => {}]
+}
+
+function useSuggestedFollowsV2(): [
+ AppBskyActorDefs.ProfileViewBasic[],
+ () => void,
+] {
+ const {
+ data: suggestions,
+ hasNextPage,
+ isFetchingNextPage,
+ isError,
+ fetchNextPage,
+ } = useSuggestedFollowsQuery()
+
+ const onEndReached = React.useCallback(async () => {
+ if (isFetchingNextPage || !hasNextPage || isError) return
+ try {
+ await fetchNextPage()
+ } catch (err) {
+ logger.error('Failed to load more suggested follows', {message: err})
+ }
+ }, [isFetchingNextPage, hasNextPage, isError, fetchNextPage])
+
+ const items: AppBskyActorDefs.ProfileViewBasic[] = []
+ if (suggestions) {
+ // Currently the responses contain duplicate items.
+ // Needs to be fixed on backend, but let's dedupe to be safe.
+ let seen = new Set()
+ for (const page of suggestions.pages) {
+ for (const actor of page.actors) {
+ if (!seen.has(actor.did)) {
+ seen.add(actor.did)
+ items.push(actor)
+ }
+ }
+ }
+ }
+ return [items, onEndReached]
+}
+
+function SearchScreenSuggestedFollows() {
+ const pal = usePalette('default')
+ const useSuggestedFollows = useGate('use_new_suggestions_endpoint')
+ ? // Conditional hook call here is *only* OK because useGate()
+ // result won't change until a remount.
+ useSuggestedFollowsV2
+ : useSuggestedFollowsV1
+ const [suggestions, onEndReached] = useSuggestedFollows()
+
return suggestions.length ? (
item.did}
// @ts-ignore web only -prf
desktopFixedHeight
- contentContainerStyle={{paddingBottom: 1200}}
+ contentContainerStyle={{paddingBottom: 200}}
keyboardShouldPersistTaps="handled"
keyboardDismissMode="on-drag"
+ onEndReached={onEndReached}
+ onEndReachedThreshold={2}
/>
) : (
diff --git a/src/view/screens/Settings/index.tsx b/src/view/screens/Settings/index.tsx
index 8a7fa5e714..b97faafad1 100644
--- a/src/view/screens/Settings/index.tsx
+++ b/src/view/screens/Settings/index.tsx
@@ -71,6 +71,7 @@ import {UserAvatar} from 'view/com/util/UserAvatar'
import {ScrollView} from 'view/com/util/Views'
import {useDialogControl} from '#/components/Dialog'
import {BirthDateSettingsDialog} from '#/components/dialogs/BirthDateSettings'
+import {navigate, resetToTab} from '#/Navigation'
import {ExportCarDialog} from './ExportCarDialog'
function SettingsAccountCard({account}: {account: SessionAccount}) {
@@ -104,7 +105,14 @@ function SettingsAccountCard({account}: {account: SessionAccount}) {
{
- logout('Settings')
+ if (isNative) {
+ logout('Settings')
+ resetToTab('HomeTab')
+ } else {
+ navigate('Home').then(() => {
+ logout('Settings')
+ })
+ }
}}
accessibilityRole="button"
accessibilityLabel={_(msg`Sign out`)}
diff --git a/src/view/shell/Drawer.tsx b/src/view/shell/Drawer.tsx
index 1bf5647f66..3972797b76 100644
--- a/src/view/shell/Drawer.tsx
+++ b/src/view/shell/Drawer.tsx
@@ -9,49 +9,49 @@ import {
View,
ViewStyle,
} from 'react-native'
-import {useNavigation, StackActions} from '@react-navigation/native'
import {
FontAwesomeIcon,
FontAwesomeIconStyle,
} from '@fortawesome/react-native-fontawesome'
-import {s, colors} from 'lib/styles'
+import {msg, Trans} from '@lingui/macro'
+import {useLingui} from '@lingui/react'
+import {StackActions, useNavigation} from '@react-navigation/native'
+
+import {emitSoftReset} from '#/state/events'
+import {useUnreadNotifications} from '#/state/queries/notifications/unread'
+import {useProfileQuery} from '#/state/queries/profile'
+import {SessionAccount, useSession} from '#/state/session'
+import {useSetDrawerOpen} from '#/state/shell'
+import {useAnalytics} from 'lib/analytics/analytics'
import {FEEDBACK_FORM_URL, HELP_DESK_URL} from 'lib/constants'
+import {useNavigationTabState} from 'lib/hooks/useNavigationTabState'
+import {usePalette} from 'lib/hooks/usePalette'
import {
- HomeIcon,
- HomeIconSolid,
BellIcon,
BellIconSolid,
- UserIcon,
CogIcon,
+ HandIcon,
+ HashtagIcon,
+ HomeIcon,
+ HomeIconSolid,
+ ListIcon,
MagnifyingGlassIcon2,
MagnifyingGlassIcon2Solid,
+ UserIcon,
UserIconSolid,
- HashtagIcon,
- ListIcon,
- HandIcon,
} from 'lib/icons'
-import {UserAvatar} from 'view/com/util/UserAvatar'
-import {Text} from 'view/com/util/text/Text'
-import {useTheme} from 'lib/ThemeContext'
-import {usePalette} from 'lib/hooks/usePalette'
-import {useAnalytics} from 'lib/analytics/analytics'
-import {pluralize} from 'lib/strings/helpers'
import {getTabState, TabState} from 'lib/routes/helpers'
import {NavigationProp} from 'lib/routes/types'
-import {useNavigationTabState} from 'lib/hooks/useNavigationTabState'
+import {pluralize} from 'lib/strings/helpers'
+import {colors, s} from 'lib/styles'
+import {useTheme} from 'lib/ThemeContext'
import {isWeb} from 'platform/detection'
-import {formatCountShortOnly} from 'view/com/util/numeric/format'
-import {Trans, msg} from '@lingui/macro'
-import {useLingui} from '@lingui/react'
-import {useSetDrawerOpen} from '#/state/shell'
-import {useSession, SessionAccount} from '#/state/session'
-import {useProfileQuery} from '#/state/queries/profile'
-import {useUnreadNotifications} from '#/state/queries/notifications/unread'
-import {emitSoftReset} from '#/state/events'
import {NavSignupCard} from '#/view/shell/NavSignupCard'
-import {TextLink} from '../com/util/Link'
-
+import {formatCountShortOnly} from 'view/com/util/numeric/format'
+import {Text} from 'view/com/util/text/Text'
+import {UserAvatar} from 'view/com/util/UserAvatar'
import {useTheme as useAlfTheme} from '#/alf'
+import {TextLink} from '../com/util/Link'
let DrawerProfileCard = ({
account,
@@ -224,7 +224,9 @@ let DrawerContent = ({}: {}): React.ReactNode => {
/>
) : (
-
+
+
+
)}
{hasSession ? (
@@ -246,7 +248,11 @@ let DrawerContent = ({}: {}): React.ReactNode => {
>
) : (
-
+ <>
+
+
+
+ >
)}
diff --git a/src/view/shell/NavSignupCard.tsx b/src/view/shell/NavSignupCard.tsx
index 83d1414984..12bfa7ea05 100644
--- a/src/view/shell/NavSignupCard.tsx
+++ b/src/view/shell/NavSignupCard.tsx
@@ -3,13 +3,16 @@ import {View} from 'react-native'
import {msg, Trans} from '@lingui/macro'
import {useLingui} from '@lingui/react'
-import {s} from 'lib/styles'
-import {usePalette} from 'lib/hooks/usePalette'
-import {Text} from '#/view/com/util/text/Text'
-import {Button} from '#/view/com/util/forms/Button'
import {useLoggedOutViewControls} from '#/state/shell/logged-out'
import {useCloseAllActiveElements} from '#/state/util'
+import {usePalette} from 'lib/hooks/usePalette'
+import {s} from 'lib/styles'
+import {Button} from '#/view/com/util/forms/Button'
+import {Text} from '#/view/com/util/text/Text'
import {Logo} from '#/view/icons/Logo'
+import {atoms as a} from '#/alf'
+import {AppLanguageDropdown} from '#/components/AppLanguageDropdown'
+import {Link} from '#/components/Link'
let NavSignupCard = ({}: {}): React.ReactNode => {
const {_} = useLingui()
@@ -35,7 +38,9 @@ let NavSignupCard = ({}: {}): React.ReactNode => {
paddingTop: 6,
marginBottom: 24,
}}>
-
+
+
+
@@ -43,7 +48,13 @@ let NavSignupCard = ({}: {}): React.ReactNode => {
-
+
{
+
+
+
+
)
}
diff --git a/src/view/shell/bottom-bar/BottomBar.tsx b/src/view/shell/bottom-bar/BottomBar.tsx
index c35fa106d2..4caff6c4d9 100644
--- a/src/view/shell/bottom-bar/BottomBar.tsx
+++ b/src/view/shell/bottom-bar/BottomBar.tsx
@@ -348,12 +348,12 @@ function Btn({
accessible={accessible}
accessibilityLabel={accessibilityLabel}
accessibilityHint={accessibilityHint}>
+ {icon}
{notificationCount ? (
{notificationCount}
) : undefined}
- {icon}
)
}
diff --git a/src/view/shell/index.tsx b/src/view/shell/index.tsx
index f29183095a..562abc56cb 100644
--- a/src/view/shell/index.tsx
+++ b/src/view/shell/index.tsx
@@ -1,37 +1,40 @@
import React from 'react'
-import {StatusBar} from 'expo-status-bar'
import {
+ BackHandler,
DimensionValue,
StyleSheet,
useWindowDimensions,
View,
- BackHandler,
} from 'react-native'
-import {useSafeAreaInsets} from 'react-native-safe-area-context'
import {Drawer} from 'react-native-drawer-layout'
+import Animated from 'react-native-reanimated'
+import {useSafeAreaInsets} from 'react-native-safe-area-context'
+import * as NavigationBar from 'expo-navigation-bar'
+import {StatusBar} from 'expo-status-bar'
import {useNavigationState} from '@react-navigation/native'
-import {ModalsContainer} from 'view/com/modals/Modal'
-import {Lightbox} from 'view/com/lightbox/Lightbox'
-import {ErrorBoundary} from 'view/com/util/ErrorBoundary'
-import {DrawerContent} from './Drawer'
-import {Composer} from './Composer'
-import {useTheme} from 'lib/ThemeContext'
-import {usePalette} from 'lib/hooks/usePalette'
-import {RoutesContainer, TabsNavigator} from '../../Navigation'
-import {isStateAtTabRoot} from 'lib/routes/helpers'
+
+import {useSession} from '#/state/session'
import {
useIsDrawerOpen,
- useSetDrawerOpen,
useIsDrawerSwipeDisabled,
+ useSetDrawerOpen,
} from '#/state/shell'
-import {isAndroid} from 'platform/detection'
-import {useSession} from '#/state/session'
import {useCloseAnyActiveElement} from '#/state/util'
+import {usePalette} from 'lib/hooks/usePalette'
import * as notifications from 'lib/notifications/notifications'
-import {Outlet as PortalOutlet} from '#/components/Portal'
-import {MutedWordsDialog} from '#/components/dialogs/MutedWords'
+import {isStateAtTabRoot} from 'lib/routes/helpers'
+import {useTheme} from 'lib/ThemeContext'
+import {isAndroid} from 'platform/detection'
import {useDialogStateContext} from 'state/dialogs'
-import Animated from 'react-native-reanimated'
+import {Lightbox} from 'view/com/lightbox/Lightbox'
+import {ModalsContainer} from 'view/com/modals/Modal'
+import {ErrorBoundary} from 'view/com/util/ErrorBoundary'
+import {MutedWordsDialog} from '#/components/dialogs/MutedWords'
+import {SigninDialog} from '#/components/dialogs/Signin'
+import {Outlet as PortalOutlet} from '#/components/Portal'
+import {RoutesContainer, TabsNavigator} from '../../Navigation'
+import {Composer} from './Composer'
+import {DrawerContent} from './Drawer'
function ShellInner() {
const isDrawerOpen = useIsDrawerOpen()
@@ -101,6 +104,7 @@ function ShellInner() {
+
>
@@ -110,6 +114,15 @@ function ShellInner() {
export const Shell: React.FC = function ShellImpl() {
const pal = usePalette('default')
const theme = useTheme()
+ React.useEffect(() => {
+ if (isAndroid) {
+ NavigationBar.setBackgroundColorAsync(theme.palette.default.background)
+ NavigationBar.setBorderColorAsync(theme.palette.default.background)
+ NavigationBar.setButtonStyleAsync(
+ theme.colorScheme === 'dark' ? 'light' : 'dark',
+ )
+ }
+ }, [theme])
return (
diff --git a/src/view/shell/index.web.tsx b/src/view/shell/index.web.tsx
index 02993ac462..9dab23671f 100644
--- a/src/view/shell/index.web.tsx
+++ b/src/view/shell/index.web.tsx
@@ -1,24 +1,25 @@
import React, {useEffect} from 'react'
-import {View, StyleSheet, TouchableOpacity} from 'react-native'
-import {useNavigation} from '@react-navigation/native'
+import {StyleSheet, TouchableWithoutFeedback, View} from 'react-native'
import {msg} from '@lingui/macro'
import {useLingui} from '@lingui/react'
+import {useNavigation} from '@react-navigation/native'
-import {ErrorBoundary} from '../com/util/ErrorBoundary'
+import {useWebBodyScrollLock} from '#/lib/hooks/useWebBodyScrollLock'
+import {useIsDrawerOpen, useSetDrawerOpen} from '#/state/shell'
+import {useCloseAllActiveElements} from '#/state/util'
+import {useColorSchemeStyle} from 'lib/hooks/useColorSchemeStyle'
+import {NavigationProp} from 'lib/routes/types'
+import {colors, s} from 'lib/styles'
+import {MutedWordsDialog} from '#/components/dialogs/MutedWords'
+import {SigninDialog} from '#/components/dialogs/Signin'
+import {Outlet as PortalOutlet} from '#/components/Portal'
+import {useWebMediaQueries} from '../../lib/hooks/useWebMediaQueries'
+import {FlatNavigator, RoutesContainer} from '../../Navigation'
import {Lightbox} from '../com/lightbox/Lightbox'
import {ModalsContainer} from '../com/modals/Modal'
+import {ErrorBoundary} from '../com/util/ErrorBoundary'
import {Composer} from './Composer.web'
-import {useColorSchemeStyle} from 'lib/hooks/useColorSchemeStyle'
-import {s, colors} from 'lib/styles'
-import {RoutesContainer, FlatNavigator} from '../../Navigation'
import {DrawerContent} from './Drawer'
-import {useWebMediaQueries} from '../../lib/hooks/useWebMediaQueries'
-import {NavigationProp} from 'lib/routes/types'
-import {useIsDrawerOpen, useSetDrawerOpen} from '#/state/shell'
-import {useCloseAllActiveElements} from '#/state/util'
-import {useWebBodyScrollLock} from '#/lib/hooks/useWebBodyScrollLock'
-import {Outlet as PortalOutlet} from '#/components/Portal'
-import {MutedWordsDialog} from '#/components/dialogs/MutedWords'
function ShellInner() {
const isDrawerOpen = useIsDrawerOpen()
@@ -45,19 +46,26 @@ function ShellInner() {
+
{!isDesktop && isDrawerOpen && (
- setDrawerOpen(false)}
- style={styles.drawerMask}
+ {
+ // Only close if press happens outside of the drawer
+ if (ev.target === ev.currentTarget) {
+ setDrawerOpen(false)
+ }
+ }}
accessibilityLabel={_(msg`Close navigation footer`)}
accessibilityHint={_(msg`Closes bottom navigation bar`)}>
-
-
+
+
+
+
-
+
)}
>
)
diff --git a/web/index.html b/web/index.html
index 06d00dec97..b059e69e90 100644
--- a/web/index.html
+++ b/web/index.html
@@ -239,6 +239,16 @@
inset:0;
animation: rotate 500ms linear infinite;
}
+
+ @keyframes avatarHoverFadeIn {
+ from { opacity: 0; }
+ to { opacity: 1; }
+ }
+
+ @keyframes avatarHoverFadeOut {
+ from { opacity: 1; }
+ to { opacity: 0; }
+ }
diff --git a/yarn.lock b/yarn.lock
index 1a61c8b037..d048bdf7fe 100644
--- a/yarn.lock
+++ b/yarn.lock
@@ -3511,6 +3511,13 @@
resolved "https://registry.yarnpkg.com/@flatten-js/interval-tree/-/interval-tree-1.1.2.tgz#fcc891da48bc230392884be01c26fe8c625702e8"
integrity sha512-OwLoV9E/XM6b7bes2rSFnGNjyRy7vcoIHFTnmBR2WAaZTf0Fe4EX4GdA65vU1KgFAasti7iRSg2dZfYd1Zt00Q==
+"@floating-ui/core@^1.0.0":
+ version "1.6.0"
+ resolved "https://registry.yarnpkg.com/@floating-ui/core/-/core-1.6.0.tgz#fa41b87812a16bf123122bf945946bae3fdf7fc1"
+ integrity sha512-PcF++MykgmTj3CIyOQbKA/hDzOAiqI3mhuoN44WRCopIs1sgoDoU4oty4Jtqaj/y3oDU6fnVSm4QG0a3t5i0+g==
+ dependencies:
+ "@floating-ui/utils" "^0.2.1"
+
"@floating-ui/core@^1.4.1":
version "1.4.1"
resolved "https://registry.yarnpkg.com/@floating-ui/core/-/core-1.4.1.tgz#0d633f4b76052668afb932492ac452f7ebe97f17"
@@ -3526,6 +3533,14 @@
"@floating-ui/core" "^1.4.1"
"@floating-ui/utils" "^0.1.1"
+"@floating-ui/dom@^1.6.1", "@floating-ui/dom@^1.6.3":
+ version "1.6.3"
+ resolved "https://registry.yarnpkg.com/@floating-ui/dom/-/dom-1.6.3.tgz#954e46c1dd3ad48e49db9ada7218b0985cee75ef"
+ integrity sha512-RnDthu3mzPlQ31Ss/BTwQ1zjzIhr3lk1gZB1OC56h/1vEtaXkESrOqL5fQVMfXpwGtRwX+YsZBdyHtJMQnkArw==
+ dependencies:
+ "@floating-ui/core" "^1.0.0"
+ "@floating-ui/utils" "^0.2.0"
+
"@floating-ui/react-dom@^2.0.0":
version "2.0.1"
resolved "https://registry.yarnpkg.com/@floating-ui/react-dom/-/react-dom-2.0.1.tgz#7972a4fc488a8c746cded3cfe603b6057c308a91"
@@ -3533,11 +3548,23 @@
dependencies:
"@floating-ui/dom" "^1.3.0"
+"@floating-ui/react-dom@^2.0.8":
+ version "2.0.8"
+ resolved "https://registry.yarnpkg.com/@floating-ui/react-dom/-/react-dom-2.0.8.tgz#afc24f9756d1b433e1fe0d047c24bd4d9cefaa5d"
+ integrity sha512-HOdqOt3R3OGeTKidaLvJKcgg75S6tibQ3Tif4eyd91QnIJWr0NLvoXFpJA/j8HqkFSL68GDca9AuyWEHlhyClw==
+ dependencies:
+ "@floating-ui/dom" "^1.6.1"
+
"@floating-ui/utils@^0.1.1":
version "0.1.1"
resolved "https://registry.yarnpkg.com/@floating-ui/utils/-/utils-0.1.1.tgz#1a5b1959a528e374e8037c4396c3e825d6cf4a83"
integrity sha512-m0G6wlnhm/AX0H12IOWtK8gASEMffnX08RtKkCgTdHb9JpHKGloI7icFfLg9ZmQeavcvR0PKmzxClyuFPSjKWw==
+"@floating-ui/utils@^0.2.0", "@floating-ui/utils@^0.2.1":
+ version "0.2.1"
+ resolved "https://registry.yarnpkg.com/@floating-ui/utils/-/utils-0.2.1.tgz#16308cea045f0fc777b6ff20a9f25474dd8293d2"
+ integrity sha512-9TANp6GPoMtYzQdt54kfAyMmz1+osLlXdg2ENroU7zzrtflTLrrC/lgrIfaSe+Wu0b89GKccT7vxXA0MoAIO+Q==
+
"@fortawesome/fontawesome-common-types@6.4.2":
version "6.4.2"
resolved "https://registry.yarnpkg.com/@fortawesome/fontawesome-common-types/-/fontawesome-common-types-6.4.2.tgz#1766039cad33f8ad87f9467b98e0d18fbc8f01c5"
@@ -11935,6 +11962,14 @@ expo-modules-core@1.11.12:
dependencies:
invariant "^2.2.4"
+expo-navigation-bar@~2.8.1:
+ version "2.8.1"
+ resolved "https://registry.yarnpkg.com/expo-navigation-bar/-/expo-navigation-bar-2.8.1.tgz#c4152f878d9fb6ca74c90b80e934af76c29b5377"
+ integrity sha512-aT5G+7SUsXDVPsRwp8fF940ycka1ABb4g3QKvTZN3YP6kMWvsiYEmRqMIJVy0zUr/i6bxBG1ZergkXimWrFt3w==
+ dependencies:
+ "@react-native/normalize-color" "^2.0.0"
+ debug "^4.3.2"
+
expo-notifications@~0.27.6:
version "0.27.6"
resolved "https://registry.yarnpkg.com/expo-notifications/-/expo-notifications-0.27.6.tgz#ef7c95504034ac8b5fa360e13f5b037c5bf7e80d"