Skip to content
Snippets Groups Projects
This project is mirrored from https://github.com/metabase/metabase. Pull mirroring updated .
  1. Sep 21, 2022
  2. Sep 20, 2022
  3. Sep 19, 2022
    • dpsutton's avatar
      Don't use persisted model tables for segmented users (#25347) · 32403f0d
      dpsutton authored
      * Don't use persisted model tables for segmented users
      
      This actually isn't a bug, but due to very subtle and arbitrary reasons.
      
      For background about why we need to ensure this never happens, we cannot
      use persisted models when sandboxing is at play. A simple example is as
      follows: make a model on a products table that does not select the
      category. Have a sandbox on category such that someone can only see
      products of category "Gizmo". the model lacks the category column but we
      insert a where clause that still works. When the model is persisted,
      there is no category column in the underlying table so sandboxing cannot
      possibly work: the data necessary to filter is no longer associated with
      the rest of the data in the model.
      
      The fix for this is quite simple: in
      `metabase.query-processor.middleware.fetch-source-query` we only splice
      in the persisted query if the user is not a segmented user (product name
      for sandboxing).
      
      ```clojure
      (and persisted-info/*allow-persisted-substitution*
           (not (segmented-user?))  ;; <----- new check
           (:active card)
           (:definition card)
           (:query_hash card)
           (= (:query_hash card) (persisted-info/query-hash (:dataset_query card)))
           (= (:definition card) (persisted-info/metadata->definition (:result_metadata card)
                                                                      (:table_name card)))
           (= (:state card) "persisted"))
      ```
      
      Technical details about why this bug did not manifest
      
      When swapping out a card__<id> to a source query, if its a model we will
      see if it is persisted, and if so, we will use the native sql to select
      from the persisted table. It does this by adding the native sql at a key
      called `:persisted-info/native` and a middleware
      `#'qp.persistence/substitute-persisted-query` walks the query replacing
      the query with the native:
      
      ```clojure
      ;; metabase.query-processor.middleware.persistence
      
          (mbql.u/replace query
            (x :guard (every-pred map? :persisted-info/native))
            {:native (:persisted-info/native x)})
      ```
      
      There is also a middleware that walks through the query looking for
      tables with gtaps on them and replacing them. By change, the sandboxing
      middleware runs immediately before the substitute-persisted middleware!
      
      ```clojure
         ;; literally the previous middleware
         (resolve 'ee.sandbox.rows/apply-sandboxing)
         #'qp.persistence/substitute-persisted-query
      ```
      
      If you swap the order of these two sandboxing is broken. As is, it
      "works" but not by design, just by happenstance. The sandboxing
      middleware just did not know that the `:persisted-info/native` key meant
      that a native query was to be substituted. In the reverse order, the
      native query is already substituted and there is no change for the
      sandboxing to occur.
      
      The obvious fix is to ensure that we never even attempt to use the
      persisted tables and that is what this PR does.
      
      * Eastwood doesn't like shadowing like this
      
      * Rearrange check order for tests
      
      `segmented-user?` throws if there is no bound user. A test in
      `fetch-source-query-test` was failing because there was no user bound,
      but it wasn't attempting to swap out a persisted table, it just didn't
      expect to need a user.
      
      Moving it lower lets it short circuit on other bits that are bound to
      fail (definition, query_hash, etc) requiring persistence before we check
      for a bound user
      Unverified
      32403f0d
    • Noah Moss's avatar
      LDAP setup improvements (#25421) · b18d53e8
      Noah Moss authored
      
      * first pass at LDAP setup improvements
      
      * fix lint errors
      
      * fix LDAP api tests
      
      * WIP test for new setting setter
      
      * fix setting test
      
      * set ldap-enabled to true in ldap server macro
      
      * try to fix java11 tests
      
      * Update src/metabase/integrations/ldap.clj
      
      Co-authored-by: default avatarmetamben <103100869+metamben@users.noreply.github.com>
      
      * add transaction
      
      * remove ldap-ever-enabled? setting and revert some of the logic that is no longer necessary
      
      * set ldap-enabled via the ldap api and add tests
      
      * fix tests and lint
      
      * fix error on settings save
      
      * fix cypress test
      
      * actually fix cypress
      
      Co-authored-by: default avatarmetamben <103100869+metamben@users.noreply.github.com>
      Unverified
      b18d53e8
    • dpsutton's avatar
      initial prometheus sketch (#25149) · 00530c98
      dpsutton authored
      * initial prometheus sketch
      
      need env variable to start: MB_PROMETHEUS_SERVER_PORT=9191
      
      sample of output:
      
      ```
      '# HELP jvm_threads_current Current thread count of a JVM
      '# TYPE jvm_threads_current gauge
      jvm_threads_current 81.0
      '# HELP jvm_threads_daemon Daemon thread count of a JVM
      '# TYPE jvm_threads_daemon gauge
      jvm_threads_daemon 36.0
      '# HELP jvm_threads_peak Peak thread count of a JVM
      '# TYPE jvm_threads_peak gauge
      jvm_threads_peak 81.0
      '# HELP jvm_threads_started_total Started thread count of a JVM
      '# TYPE jvm_threads_started_total counter
      jvm_threads_started_total 104.0
      '# HELP jvm_threads_deadlocked Cycles of JVM-threads that are in deadlock waiting to acquire object monitors or ownable synchronizers
      '# TYPE jvm_threads_deadlocked gauge
      jvm_threads_deadlocked 0.0
      ```
      
      request:
      
      ```
      ❯ http localhost:9191/metrics
      HTTP/1.1 200 OK
      Content-Length: 7329
      Content-Type: text/plain; version=0.0.4; charset=utf-8
      Date: Wed, 31 Aug 2022 16:13:38 GMT
      Server: Jetty(9.4.48.v20220622)
      
      '# HELP jvm_gc_collection_seconds Time spent in a given JVM garbage collector in seconds.
      '# TYPE jvm_gc_collection_seconds summary
      jvm_gc_collection_seconds_count{gc="G1 Young Generation",} 41.0
      jvm_gc_collection_seconds_sum{gc="G1 Young Generation",} 0.586
      jvm_gc_collection_seconds_count{gc="G1 Old Generation",} 0.0
      jvm_gc_collection_seconds_sum{gc="G1 Old Generation",} 0.0
      '# HELP jvm_threads_current Current thread count of a JVM
      '# TYPE jvm_threads_current gauge
      ```
      
      * Log on unparseable prometheus port
      
      * Clean up prometheus and save test
      
      * typehint
      
      * Jetty collector
      
      * Reset system to nil when shutting down
      
      * c3p0 stats
      
      * Clean up, document, and add tests
      
      * Error message for failure to bind to port
      
      Starting up with prometheus port set to the main webserver port to get
      the error:
      
      ```
      MB_JETTY_PORT=3006 MB_DB_CONNECTION_URI="postgres://..." \
      MB_PROMETHEUS_SERVER_PORT=3006 java -jar locally-built.jar
      ```
      yields the following error:
      
      ```shell
      2022-09-09 10:08:52,000 INFO metabase.core :: Setting up prometheus metrics
      2022-09-09 10:08:52,002 INFO metabase.prometheus :: Starting prometheus metrics collector
      2022-09-09 10:08:52,016 INFO metabase.prometheus :: Starting prometheus metrics web-server on port 3,006
      2022-09-09 10:08:52,036 ERROR metabase.core :: Metabase Initialization FAILED
      clojure.lang.ExceptionInfo: Failed to initialized Prometheus on port 3,006 {:port 3006}
      [stacktrace ...]
      Caused by: java.io.IOException: Failed to bind to 0.0.0.0/0.0.0.0:3006
      [stacktrace ...]
      Caused by: java.net.BindException: Address already in use
      ```
      
      * Test for error message
      
      * Move prometheus to analytics folder
      
      * Str port so log does not add commas to number
      
      eg:
      > Starting prometheus metrics web-server on port 9,191
      
      * make some test functions private
      
      * docstring on defsetting
      
      * align lets
      
      * ns docstring changes
      
      include the env variable for ease of understanding
      
      * sort ns
      
      * remove some reflection warnings
      
      * reorder FE lines due to some new linter
      
      * Cleanup: i18n descriptions, typo, List/of
      
      * bit more concise c3p0 collection
      
      * no longer need the helper `->array`
      
      * clean up doseq for c3p0 measurements
      Unverified
      00530c98
    • Mahatthana (Kelvin) Nomsawadi's avatar
      Make table column width reasonable (#25436) · d6bb49fd
      Mahatthana (Kelvin) Nomsawadi authored
      * Make table column width reasonable
      
      Truncate column name that is longer than 16 characters
      
      * Add a test to check header truncation of tables
      
      Also adjusted the shape of the header fn's return data a bit -> the `[:th ... ]` vectors aren't wrapped in a seq anymore.
      
      * Fix wrong max column character length :face_palm:
      
      
      
      * Update static viz table style
      
      * Address PR comment, simplifying the code
      
      Co-authored-by: default avatarAdam James <adam.vermeer2@gmail.com>
      Unverified
      d6bb49fd
  4. Sep 16, 2022
    • Cal Herries's avatar
      Use slugs for card template tags in the native query editor + autocomplete (#25319) · 2c7178ea
      Cal Herries authored
      * Allow slugs in question template tags, like `{{#123-a-question}}`
      
      * Update CardTagEditor to add slug names to the query text, instead of IDs
      
      * Fix dispatchApiErrorEvent prop for entity object loader
      
      * Ignore errors loading names of referenced questions
      
      * Fix e2e tests
      
      * Implement autocomplete for model slugs
      
      * Prioritize models above questions
      
      * Make the ace_autocomplete popup slightly wider to account for longer question names
      
      * Reorder requires
      
      * Remove unnecessary ? from endpoint string
      
      * Add e2e test for card tag autocomplete
      
      * Fix NativeQueryEditor not swapping back to standard completers
      
      * Refactor replaceCardSlug
      
      * Add e2e test for updating tags when card name is changed
      
      * Refactor updateReferencedQuestionNames
      
      * Add slug method to Question class
      
      * Use map for autocomplete API results
      
      * Rename endpoint path
      
      * Rename for consistency
      
      * Add docstrings
      
      * Update slug() to guard against undefined names
      
      * Fix read permissions for the endpoint
      
      * Add backend test
      
      * Fix unit tests
      
      * Fix permissions error
      
      * Make regex simpler
      
      * Undo change of value on QuestionPicker
      
      * Fix tests
      
      * Fix models e2e test
      
      * Simplify updateReferencedQuestionNames
      
      * Fix bugs in updateReferencedQuestionNames
      
      * Rename variable
      
      * Move NativeQuery methods to new native-query utils module
      
      * Fix typescript errors
      
      * Fix e2e tests
      
      * Fix e2e test
      
      * Fix BE tests
      
      * Actually fix BE test
      
      * Refactor updateQuestionTagNames
      
      * Align comments
      
      * Reorder autocomplete results
      
      * Refactor: move all query text tag utils in one place
      
      * Add tests for regex
      
      * Add unit tests for cardIdFromTagName
      
      * Add schema to autocomplete_suggestions endpoints
      
      * Add perms checks to autocomplete tests
      
      * Add unit test for updateCardTagNames
      
      * Rename updateQuestionTagNames -> updateCardTagNames
      
      * Tidy card-autocomplete-suggestions-test
      
      * Rename questionReference-> cardTag for consistency
      
      * Rename card-reference -> card-tag for consistency
      
      * Use ternary operator for comprehension
      
      * Fix broken swapCompleters
      
      * Use prefix match on name for 123-foo case
      Unverified
      2c7178ea
  5. Sep 15, 2022
    • Howon Lee's avatar
      Coerce all the static viz charts that could be a combo to be a combo (#24696) · abca737f
      Howon Lee authored
      
      * thinking
      
      * killing it
      
      * lab image bundle for lines proper
      
      * linter shutting up
      
      * get rid of viz-settings binding at all
      
      * Remove accidentally re-added categorical-area
      
      * Merged master, and temporarily comment out some tests
      
      * Simplify conditional for detecting chart type
      
      * Remove a few old fns/symbols
      
      * Clean up the detect-chart a bit
      
      * Remove sparkline. It's an old concept that's not used
      
      We can acheive similar results with :line directly. If we care about a trend, we can use a :smartscalar.
      
      * Fix up tests that now also use combo charts
      
      * Missed a key change for area test
      
      * Get rid of deprecated sparkline stuff
      
      * Remove commented out sparkline tests
      
      * Delete this function. I was using it in the REPL, it's not needed
      
      Co-authored-by: default avatarAdam James <adam.vermeer2@gmail.com>
      Unverified
      abca737f
    • Braden Shepherdson's avatar
      Serdes v2: Fix a missing case in the deps for a Card (#25392) · 077d8e36
      Braden Shepherdson authored
      Cards can depend on other Cards as their `:source-table`, but the code
      to extract `serdes-dependencies` from the MBQL query did not
      capture that case.
      Unverified
      077d8e36
    • Braden Shepherdson's avatar
      Serdes v2: Handle missing User refs by synthesizing dummy users (#25391) · f2981efc
      Braden Shepherdson authored
      Many entities have `creator_id` and similar fields. `User`s are not
      serialized. Foreign keys to users are serialized as email addresses.
      
      During deserialization in a different instance (eg. a local dev instance
      importing a dump from a prod instance) many such users may not exist.
      This change creates new `User` entities on the fly with empty names,
      generated passwords, and the email set.
      Unverified
      f2981efc
  6. Sep 14, 2022
  7. Sep 13, 2022
    • Case Nelson's avatar
      [Apps] Add scaffolded pages to existing apps (#25343) · ebe5960b
      Case Nelson authored
      
      * [Apps] Add scaffolded pages to existing apps
      
      Reuse app scaffolding in order to add to existing apps. This will not
      check that the tables you choose have not been previously added to the app.
      
      Also update scaffolding:
      - Add back to list button
      - Update list question to order by newest row on top.
      - Use linkType: "page" instead of linkType: "dashboard"
      
      * Fix H2 test, no need to add app-id to name
      
      * Remove unused require
      
      * Addressing review comments - suggested test uncovered an ordering bug
      
      * Put priority back to ascending
      
      * Implement navigation between data app pages (#25366)
      
      * Add `DataAppPagePicker`
      
      * Rename `QuestionDashboardPicker`
      
      * Add page to `EntityCustomDestinationClickBehavior`
      
      * Fix comment
      
      * Use ellipsis character
      
      * Fix custom destination type
      
      * Add "page" custom destination to pickers
      
      * Pass router props to dashboard click actions
      
      * Remove not used function arguments
      
      * Implement "page" custom destination click behavior
      
      * Fix "page" click behavior isn't treated as valid
      
      * Reorganize `LinkedEntityPicker`
      
      * Fix drills from the homepage
      
      Co-authored-by: default avatarAnton Kulyk <kuliks.anton@gmail.com>
      Unverified
      ebe5960b
    • Natalie's avatar
      docs - update api/dataset comment (#25342) · f1414a9b
      Natalie authored
      Unverified
      f1414a9b
    • Bryan Maass's avatar
      H2 disallow `INIT=...` option using connection string (#25369) · 25202443
      Bryan Maass authored
      * trim the init option in h2 connection string
      
      - it can be lower or mixed-case, so `(dissoc-by str/lower-case ...)`
        will lowercase the map's keys and the dissoc-keys, and dissoc them when
        they are equal.
      
      * refactor
      Unverified
      25202443
  8. Sep 12, 2022
  9. Sep 09, 2022
    • Noah Moss's avatar
      Fix issues with postgres PKCS-12 SSL connections (#25299) · 1ead699e
      Noah Moss authored
      * use .p12 file extension for pkcs-12 keys
      
      * test
      
      * fix messed up indentation
      
      * default to empty string ssl password
      
      * address feedback
      
      * fix tests
      Unverified
      1ead699e
    • adam-james's avatar
      Respect custom series names in static viz (#25300) · 81f80ee3
      adam-james authored
      * Respect custom series names in static viz
      
      * Remove change that isn't actually necessary
      
      * Revert "Remove change that isn't actually necessary"
      
      This reverts commit 617ff4a9719bd5386bf69651cad696948a1fea7b.
      
      * Remove uneeded change
      
      * Add helper fn
      
      * Add back a change I actually did need... brain fart, oops
      
      * Add a test to make sure the correct :name key is used for series
      
      * Remove unused function
      Unverified
      81f80ee3
  10. Sep 08, 2022
    • Bryan Maass's avatar
      users may only send non-ddl native sql to h2 (#25220) · 52beccdb
      Bryan Maass authored
      * users may only send non-ddl native sql to h2
      
      * tests for diasllowing h2 ddl
      
      * improve error message on throw
      
      * fix linter + cleanup the-exploit example.
      
      * refix linter
      
      * handle garbage input by failing to classify it.
      
      If it h2 can't parse it, then that input cannot trigger a vulnerability.
      
      Our parser simply chews through erroneous sql, and classifies statements
      that it is able to parse.
      
      * When h2 is running in client-side mode, do not parse sql
      
      - SessionRemote indicates that we are currently client side
      
      * refactor so that building parser is easier
      
      * remove unused import SessionRemote
      
      * Revert "refactor so that building parser is easier"
      
      This reverts commit a41800131696de00d98e4eb7124d4d4b1b1cb33c.
      
      * check client-side conns => import SessionRemote
      
      * replace truncate function via inlining
      
      * fix drop arg order
      Unverified
      52beccdb
    • adam-james's avatar
      Add goal line settings to the viz-settings map passed to combo chart (#25269) · 83d72daf
      adam-james authored
      * Add goal line settings to the viz-settings map passed to combo chart
      
      * Add a test to check that goal lines are added to line/area/bar/combo
      Unverified
      83d72daf
    • Jeff Bruemmer's avatar
      add frontmatter to API doc page (#25316) · f8a2ada1
      Jeff Bruemmer authored
      Unverified
      f8a2ada1
    • Case Nelson's avatar
      [Apps] Prototype backend app scaffolding (#25314) · 1740b105
      Case Nelson authored
      * [Apps] Prototype backend app scaffolding
      
      WIP
      
      Given a set of table-ids, we try to build out an app. Ideally the
      produced scaffold is done on the frontend and passed in to
      
      1. avoid code duplication
      2. allow the front end to maintain ownership of visualization_settings
      3. avoid regressions on frontend code changes
      
      However, this currently builds the scaffold on the backend due to FE dev
      bandwidth. In theory, it is done in such a way that it both matches the
      FE as closely as possible as well as becomes easy to change this code to
      accept a scaffold rather than generating one itself.
      
      It uses `scaffold-target` to map cards and dashboards in the scaffold
      with the inserted ids.
      
      Things that are still being worked out elsewhere:
      1. The shape of nav-items
      2. The shape of implicit action buttons
      
      * Sort namespace
      
      * Update and fix scaffold based on demo
      
      * Address review comments
      
      Deduplicate table-ids and make sure they are valid.
      
      i18n page suffixes.
      
      Check that tables have exactly one primary key column.
      
      Check that card scaffold has a `scaffold-target`
      
      Remove redudant check in scaffold-target replacement that the map lookup took care of.
      Unverified
      1740b105
    • Case Nelson's avatar
    • Case Nelson's avatar
      [Apps] Allow extra parameters to be passed to action execution (#25198) · fd998918
      Case Nelson authored
      * [Apps] Allow extra parameters to be passed to action execution
      
      For actions, unlike queries, the user will be asked to fill in unmapped
      parameters. This change allows the dashboard action execution to accept
      incoming parameters without an "id" but with a "target". If that target
      exists on the action, it will be accepted.
      
      * Update doc string and validation message
      
      * Review changes
      
      Remove action-id from the execute endpoint, this will be looked up
      through the dashcard.
      
      Revert map-parameters and split parameters into an extra_parameters
      value. extra_parameters are combined with the mapped parameters and
      passed to execution.
      
      * Fixing tests
      Unverified
      fd998918
  11. Sep 07, 2022
    • metamben's avatar
      Hydrate app_id for dashboard activities (#25270) · 7cfaddde
      metamben authored
      Hydrate app_id for dashboard activities
      
      Part of #25254.
      
      Only the /recent_views and /popular_items endpoints have been extended.
      The / endpoint currently doesn't deliver additional information like
      the other endpoints do. (The other endpoints deliver at most 5 items,
      but the / endpoint doesn't limit the number of results.)
      Unverified
      7cfaddde
    • Bryan Maass's avatar
      Add schema nesting map errors for defendpoint (#24995) · de78cf9c
      Bryan Maass authored
      * adds schema based api error messages for maps
      
      - e.g. in defendpoint.
      
      see: the error for `metabase.api.action/HTTPActionTemplate`:
      
      value must be a map with schema: (
        body (optional) : value may be nil, or if non-nil, value must be a string.
        headers (optional) : value may be nil, or if non-nil, value must be a string.
        parameter_mappings (optional) : value may be nil, or if non-nil, value must be a map.
        parameters (optional) : value may be nil, or if non-nil, value must be an array. Each value must be a map.
        method : value must be one of: `DELETE`, `GET`, `PATCH`, `POST`, `PUT`.
        url : value must be a string.
      )
      
      * use deferred-tru for error message
      
      - fix spacing in api-error-message
      - spruce up test
      
      * sort ns
      
      * swap another test to using str/join "\n"
      Unverified
      de78cf9c
  12. Sep 06, 2022
  13. Sep 05, 2022
  14. Sep 01, 2022
    • metamben's avatar
      Return app collections as apps, page dashboards as pages (#25194) · 6f8375b5
      metamben authored
      * Return app collections as apps, page dashboards as pages
      * Fix bug: descriptions of datasets should also be searchable
      Unverified
      6f8375b5
    • adam-james's avatar
      Send show_values key to static-viz js (#25116) · 55f36d7c
      adam-james authored
      * Send show_values key to static-viz js
      
      The static viz components expect certain keys on the settings map passed into the js. At this time, the contract
      between the backend (Clojure) and the static-viz (js) feels a little under-specified. However, for the change to XY
      Charts here, we follow the existing method in code of checking the backend viz-settings map for some key, and passing
      it into js in a 'simplified' form. For instance, in this change, `:graph.show-values` is taken and placed into the
      settings map as `:show_values` for the static-viz js to use.
      
      * De-dupe key
      
      * Keep this PR super simple, don't eliminate sparkline stuff yet
      
      * Add :line earlier in cond, try to fix tests that fail
      
      * Get the :line conditional in the right place, allowing :scalar
      Unverified
      55f36d7c
    • adam-james's avatar
      Format Pie Chart Legend Labels as Month, YYYY (#24890) · 482b061e
      adam-james authored
      * Format Pie Chart Legend Labels as Month, YYYY
      
      On the backend, the pie chart legend is not rendered in the javascript, it is instead re-created server side as a set
      of html elements. This means "YYYY-MM-DD" formatted dates do not get passed through the frontend code responsible for
      formatting date times (I believe this is done with a library called 'moment.js'). And, since the SVG cannot contain
      html foreignObjects (the backend SVG renederer 'batik' ignores foreign objects), the legend is left as a
      responsiblility for Clojure land.
      
      This PR adds a `format-month` function to handle this case.
      
      Current caveats with this approach:
      
      - doesn't consider localization (yet)
      - adjusted the html to use a table instead of a div full of spans and the formatting could use some tweaks
      - assumes any string that is parse-able into a Jave DateTime object will be displayed in this Month, Year format,
      - which might not be true in all cases
      
      * Improve label formatting by using viz-settings transform fns
      
      * Rework Static Pie Chart legend
      
      Try to make it look a bit nicer:
      - splits legends into 2 tables if there are more than 8 entries
      - larger colored circle
      - use tables to help lay things out more evenly (CSS flexbox doesn't seem to work)
      - handle some legend label formatting cases beyond just timestamps (eg weeks of year, yearly quarters)
      
      Also fixed the failing test
      
      * Adding a month formatter.
      
      Sometimes, the label values are not passed in as timestamps, but just numbers (as strings). In these cases, the
      Datetime formatters won't be useful, so there are some cases built to handle these.
      
      * Remove print statement
      
      * Change temporal format fns to more closely follow viz-settings
      
      Various changes are made to improve static-viz's use of viz-settings from the frontend.
      
      - abbreviation is considered (eg. so "January" is rendered as "Jan" when setting is true)
      - abbreviation also works for Days of week
      - x-of-y cases are handled a bit better
      - separator settings are properly reflected (eg. 2022/05 becomes 2022-05 if separator changed to "-")
      
      * Remove unused key from the let
      
      * Fix some failing tests
      
      * Adding more tests
      
      * Prevent non-temporal legend labels from being rendered via datetime
      
      If a legend's label is some string, we want to pass it unmodified. If it's a number or a timestamp, we can pass it
      through to the date time render function to format the string to match the viz-settings/column units
      
      * Add missed docstring
      
      * Don't lowercase 'D' format, pass correct lowercase 'd' before
      
      'D' format = day of year, which in most human-readable formats is not what we want, but it IS what we want in a
      :day-of-year case.
      
      Instead of always lowercasing, just make sure the lowercase 'd' is in the defaults/overrides
      
      * Better way to handle day of week and month of year
      
      Also got rid of bad use of read-string by using parse-long
      
      * Use a java lib. to format ordinal numbers, respecting site locale
      Unverified
      482b061e
    • metamben's avatar
      Report page dashboard activities with model "page" (#25158) · 096bc8cf
      metamben authored
      Fixes #25143 and #25157.
      
      For recent_views and popular_items hydrate the is_app_page flag for dashboards.
      Unverified
      096bc8cf
Loading