Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Update mantine monorepo to v7 (major) #275

Open
wants to merge 1 commit into
base: main
Choose a base branch
from

Conversation

renovate[bot]
Copy link
Contributor

@renovate renovate bot commented Sep 18, 2023

This PR contains the following updates:

Package Change Age Adoption Passing Confidence
@mantine/carousel (source) 6.0.22 -> 7.14.0 age adoption passing confidence
@mantine/core (source) 6.0.22 -> 7.14.0 age adoption passing confidence
@mantine/dates (source) 6.0.22 -> 7.14.0 age adoption passing confidence
@mantine/hooks (source) 6.0.22 -> 7.14.0 age adoption passing confidence
@mantine/notifications (source) 6.0.22 -> 7.14.0 age adoption passing confidence
@mantine/nprogress (source) 6.0.22 -> 7.14.0 age adoption passing confidence

Release Notes

mantinedev/mantine (@​mantine/carousel)

v7.14.0: 💋

Compare Source

View changelog with demos on mantine.dev website

AngleSlider component

New AngleSlider component:

import { AngleSlider, Group } from '@​mantine/core';

function Demo() {
  return (
    <Group p="lg" gap={50}>
      <AngleSlider
        aria-label="Angle slider"
        formatLabel={(value) => `${value}°`}
        size={100}
        restrictToMarks
        marks={[
          { value: 0 },
          { value: 45 },
          { value: 90 },
          { value: 135 },
          { value: 180 },
          { value: 225 },
          { value: 270 },
          { value: 315 },
        ]}
      />

      <AngleSlider
        aria-label="Angle slider"
        formatLabel={(value) => `${value}°`}
        size={100}
        marks={[
          { value: 0, label: '0°' },
          { value: 45, label: '45°' },
          { value: 90, label: '90°' },
          { value: 135, label: '135°' },
          { value: 180, label: '180°' },
          { value: 225, label: '225°' },
          { value: 270, label: '270°' },
          { value: 315, label: '315°' },
        ]}
      />
    </Group>
  );
}

RadialBarChart component

New RadialBarChart component:

import { RadialBarChart } from '@&#8203;mantine/charts';

const data = [
  { name: '18-24', value: 31.47, color: 'blue.7' },
  { name: '25-29', value: 26.69, color: 'orange.6' },
  { name: '30-34', value: 15.69, color: 'yellow.7' },
  { name: '35-39', value: 8.22, color: 'cyan.6' },
  { name: '40-49', value: 8.63, color: 'green' },
  { name: '50+', value: 2.63, color: 'pink' },
  { name: 'unknown', value: 6.67, color: 'gray' },
];

function Demo() {
  return <RadialBarChart data={data} dataKey="value" h={280} withLabels />;
}

FunnelChart component

New FunnelChart component:

import { FunnelChart } from '@&#8203;mantine/charts';

const data = [
  { name: 'USA', value: 400, color: 'indigo.6' },
  { name: 'India', value: 300, color: 'yellow.6' },
  { name: 'Japan', value: 100, color: 'teal.6' },
  { name: 'Other', value: 200, color: 'gray.6' },
];

function Demo() {
  return <FunnelChart data={data} />;
}

Modal.Stack and Drawer.Stack components

New Modal.Stack and Drawer.Stack components simplify usage of multiple modals/drawers at the same time.

Use Modal.Stack component to render multiple modals at the same time.
Modal.Stack keeps track of opened modals, manages z-index values, focus trapping
and closeOnEscape behavior. Modal.Stack is designed to be used with useModalsStack hook.

Differences from using multiple Modal components:

  • Modal.Stack manages z-index values – modals that are opened later will always have higher z-index value disregarding their order in the DOM
  • Modal.Stack disables focus trap and Escape key handling for all modals except the one that is currently opened
  • Modals that are not currently opened are present in the DOM but are hidden with opacity: 0 and pointer-events: none
  • Only one overlay is rendered at a time
import { Button, Group, Modal, useModalsStack } from '@&#8203;mantine/core';

function Demo() {
  const stack = useModalsStack(['delete-page', 'confirm-action', 'really-confirm-action']);

  return (
    <>
      <Modal.Stack>
        <Modal {...stack.register('delete-page')} title="Delete this page?">
          Are you sure you want to delete this page? This action cannot be undone.
          <Group mt="lg" justify="flex-end">
            <Button onClick={stack.closeAll} variant="default">
              Cancel
            </Button>
            <Button onClick={() => stack.open('confirm-action')} color="red">
              Delete
            </Button>
          </Group>
        </Modal>

        <Modal {...stack.register('confirm-action')} title="Confirm action">
          Are you sure you want to perform this action? This action cannot be undone. If you are
          sure, press confirm button below.
          <Group mt="lg" justify="flex-end">
            <Button onClick={stack.closeAll} variant="default">
              Cancel
            </Button>
            <Button onClick={() => stack.open('really-confirm-action')} color="red">
              Confirm
            </Button>
          </Group>
        </Modal>

        <Modal {...stack.register('really-confirm-action')} title="Really confirm action">
          Jokes aside. You have confirmed this action. This is your last chance to cancel it. After
          you press confirm button below, action will be performed and cannot be undone. For real
          this time. Are you sure you want to proceed?
          <Group mt="lg" justify="flex-end">
            <Button onClick={stack.closeAll} variant="default">
              Cancel
            </Button>
            <Button onClick={stack.closeAll} color="red">
              Confirm
            </Button>
          </Group>
        </Modal>
      </Modal.Stack>

      <Button onClick={() => stack.open('delete-page')}>Open modal</Button>
    </>
  );
}

useModalsStack/useDrawersStack hooks

useModalsStack hook provides an easy way to control multiple modals at the same time.
It accepts an array of unique modals ids and returns an object with the following properties:

interface ModalStackReturnType<T extends string> {
  // Current opened state of each modal
  state: Record<T, boolean>;

  // Opens modal with the given id
  open: (id: T) => void;

  // Closes modal with the given id
  close: (id: T) => void;

  // Toggles modal with the given id
  toggle: (id: T) => void;

  // Closes all modals within the stack
  closeAll: () => void;

  // Returns props for modal with the given id
  register: (id: T) => {
    opened: boolean;
    onClose: () => void;
    stackId: T;
  };
}

Example of using useModalsStack with Modal component:

import { Modal, useModalsStack } from '@&#8203;mantine/core';

function Demo() {
  const stack = useModalsStack(['first', 'second']);

  return (
    <>
      <Modal {...stack.register('first')}>First</Modal>
      <Modal {...stack.register('second')}>Second</Modal>
      <Button onClick={() => stack.open('first')}>Open first</Button>
    </>
  );
}

Restrict Slider selection to marks

Slider component now supports restrictToMarks prop that restricts slider value to marks only.
Note that in this case step prop is ignored:

import { Slider } from '@&#8203;mantine/core';

function Demo() {
  return (
    <Slider
      restrictToMarks
      defaultValue={25}
      marks={Array.from({ length: 5 }).map((_, index) => ({ value: index * 25 }))}
    />
  );
}

BarChart SVG pattern fill

BarChart now can be used with SVG pattern fill:

import { BarChart } from '@&#8203;mantine/charts';
import { data } from './data';

function Demo() {
  return (
    <BarChart
      h={300}
      data={mixedStackData}
      dataKey="month"
      series={[
        { name: 'Smartphones', color: 'url(#crosshatch)', stackId: 'a' },
        { name: 'Laptops', color: 'blue.6', stackId: 'b' },
        { name: 'Tablets', color: 'url(#diagonalStripes)', stackId: 'b' },
      ]}
    >
      <defs>
        <pattern
          id="diagonalStripes"
          patternUnits="userSpaceOnUse"
          width={6}
          height={8}
          patternTransform="rotate(45)"
        >
          <rect
            width="2"
            height="8"
            transform="translate(0,0)"
            fill="color-mix(in lch, var(--mantine-color-teal-6) 70%, rgba(0,0,0,0))"
          />
        </pattern>

        <pattern id="crosshatch" patternUnits="userSpaceOnUse" width={8} height={8}>
          <path
            d="M 0 0 L 8 0 L 8 8 L 0 8 Z"
            fill="none"
            stroke="color-mix(in lch, var(--mantine-color-indigo-6) 70%, rgba(0,0,0,0))"
            strokeWidth="1"
          />
          <path
            d="M 0 0 L 8 8"
            stroke="color-mix(in lch, var(--mantine-color-indigo-6) 70%, rgba(0,0,0,0))"
            strokeWidth="1"
          />
          <path
            d="M 8 0 L 0 8"
            stroke="color-mix(in lch, var(--mantine-color-indigo-6) 70%, rgba(0,0,0,0))"
            strokeWidth="1"
          />
        </pattern>
      </defs>
    </BarChart>
  );
}

Help center updates

Other changes

  • useTree hook now accepts onNodeExpand and onNodeCollapse callbacks
  • useTree hook now returns additional checkAllNodes, uncheckAllNodes and setCheckedState handlers
  • Tree component now includes getTreeExpandedState to generate expanded state based on the tree data
  • use-form now supports form.replaceListItem handler to replace list item at given index

v7.13.5

Compare Source

What's Changed

  • [@mantine/core] Update peer dependencies range for react to allow react and react-dom 19 as dependcy
  • [@mantine/core] Fix error in Next.js with React 19 related to ref prop usage in Tooltip, Popover and Combobox components (#​7028)
  • [@mantine/core] FileButton: Fix resetRef throwing error if the component is contidionally rendered (#​7025)
  • [@mantine/core] Button: Fix incorrect focus styles of Button.Group (#​6992)
  • [@mantine/charts] CompositeCharts: Fix missing key prop error (#​7020)
  • [@mantine/core] NumberInput: Fix min/max value being bypassed if 0 has been entered as the first digit (#​7021)
  • [@mantine/form] Add useCallback wrapper to form.resetDirty (#​7029)
  • [@mantine/core] Combobox: Fix incorrect logic of selected options when the dropdown is closed without selecting value (#​7039)
  • [@mantine/charts] BarChart: Add barLabelColor prop support
  • [@mantine/charts] BarChart: Fix bar label being positioned incorrectly with horizontal orientation (#​7042)
  • [@mantine/charts] RadarChart: Fix incorrect series prop type (#​7046)
  • [@mantine/form] Add additional type exports from the package (#​7062)
  • [@mantine/core] Tabs: Fix tabIndex not being overridden by Tabs.Tab props (#​7081)
  • [@mantine/dates] DatePickerInput: Fix nextLabel and previousLabel props not being handled correctly (#​7082)
  • [@mantine/charts] Update recharts dependency to the latest version to improve Next.js 15 and React 19 support

New Contributors

Full Changelog: mantinedev/mantine@7.13.4...7.13.5

v7.13.4

Compare Source

Next.js 15 support

The documentation and templates have been updated to support Next.js 15 release, for more information visit – https://mantine.dev/guides/next/

Other changes

  • [@mantine/dates] DatePickerInput: Fix dropdown staying opened after the disabled prop has been set (#​7017)
  • [@mantine/core] NumberInput: Fix incorrect ref node type
  • [@mantine/core] Popover: Fix onClose event firing incorrectly

Full Changelog: mantinedev/mantine@7.13.3...7.13.4

v7.13.3

Compare Source

What's Changed

  • [@mantine/core] Fix cqw, cqh, cqi, cqb, cqmax and cqmin size units not being handled correctly in style props
  • [@mantine/dates] DateTimePicker: Remove defaultValue and value props from timeInputProps types to avoid confusion (#​6959)
  • [@mantine/dropzone] Set data-disabled attribute on the root element if disabled prop is set (#​6946)
  • [@mantine/core] Modal: Fix default Modal.Root transition being different from Modal component (#​6967)
  • [@mantine/core] ColorInput: Fix popoverProps={{ opned: true }} not working (#​6968)
  • [@mantine/charts] Fix valueFormatter prop not working correctly with orientation="vertical" in BarChart, AreaChart and LineChart components (#​6979)
  • [@mantine/core] Popover: Fix onOpen not being called with controlled opened state (#​6981)
  • [@mantine/core] NumberInput: Fix incorrect min prop handling for large numbers (#​6985)
  • [@mantine/dropzone] Add HEIF image mime type (#​6977)
  • [@mantine/core] PasswordInput: Fix cursor shifting when the visibility button is clicked on touch devices (#​6971)

New Contributors

Full Changelog: mantinedev/mantine@7.13.2...7.13.3

v7.13.2

Compare Source

What's Changed
  • [@mantine/dates] DateInput: Fix onClick handler passed to getDayProps not being called
  • [@mantine/core] Badge: Fix incorrect cursor styles
  • [@mantine/core] FileInput: Add resetRef prop support
  • [@mantine/core] Popover: Fix onClose function being called twice with controlled state
  • [@mantine/spotlight] Fix selected index not being reset when the spotlight is closed (#​6842)
  • [@mantine/core] Popover: Improve performance of scrolling when large number of closed Popovers are rendered on the same page (#​6771)
  • [@mantine/core] Pagination: Fix getItemProps not being able to override control children prop (#​6789)
  • [@mantine/core] ScrollArea: Fix onBottomReached not being called if the viewport has decimal px height value (#​6792)
  • [@mantine/hooks] use-in-viewport: Fix hook not reacting to node changes (#​6926)
  • [@mantine/core] NumberInput: Fix incorrect handling of decimal numbers with more than 15 decimal places (#​6823)
  • [@mantine/core] Slider: Fix marks not being aligned correctly (#​6909)
  • [@mantine/hooks] use-fullscreen: Fix target node changes being ignored (#​6923)
  • [@mantine/core] Badge: Fix incorrect sections alignment for variant="dot"
  • [@mantine/core] TagsInput: Fix incorrect logic of removing duplicate tags (#​6922)
  • [@mantine/core] AppShell: Fix error when Suspense is rendered inside AppShell (#​6927)
  • [@mantine/core] Menu: Fix onKeyDown prop not working in Menu.Dropdown component (#​6910)
New Contributors

Full Changelog: mantinedev/mantine@7.13.1...7.13.2

v7.13.1

Compare Source

What's Changed
  • [@mantine/chart] PieChart: Remove unused CSS (#​6903)
  • [@mantine/core] Menu: Fix onKeyDown not working when passed to Menu.Item (#​6906)
  • [@mantine/core] TagsInput: Fix duplicated tags being deleted when one of tags with the same value is deleted (#​6907)
  • [@mantine/dates] Fix hidden input value not respecting specified timezone (#​6881)
  • [@mantine/hooks] use-hover: Fix events not being reattached when the target node changes (#​6782)
  • [@mantine/colors-generator] Update chroma-js version to support the latest version (#​6879)
  • [@mantine/core] PinInput: Fix incorrect Backspace key handling on the first input (#​6880)
  • [@mantine/hooks] use-state-history: Add reset handler support (#​6769)
  • [@mantine/core] ScrollArea: Fix onTopReached prop not being passed down in ScrollArea.Autosize component (#​6747)
  • [@mantine/chart] Fix incorrect types for props passed down to recharts components (#​6820)
  • [@mantine/form] Fix indices over 9 not working in form paths in some cases (#​6794)
  • [@mantine/chart] BarChart: Fix BarLabel logging errors in the console (#​6810)
  • [@mantine/chart] Fix error when chart tooltip label contains period (#​6826)
  • [@mantine/core] Title: Add option to use Text font-size and line-height values with size prop (#​6833)
  • [@mantine/date] Calendar: Fix nextLabel and previousLabel props not working (#​6847)
  • [@mantine/core] Fix 2xl and other similar values being treated as CSS value instead of theme value (#​6855)
  • [@mantine/core] Breadcrumbs: Fix component with large number of values not wrapping on small screens (#​6863)
  • [@mantine/core] Table: Fix thead being overlayed to td in some cases (#​6860)
New Contributors

Full Changelog: mantinedev/mantine@7.13.0...7.13.1

v7.13.0: 🎇

Compare Source

View changelog with demos on mantine.dev website

Container queries support in Grid

You can now use container queries
in Grid component. With container queries, all responsive values
are adjusted based on the container width, not the viewport width.

Example of using container queries. To see how the grid changes, resize the root element
of the demo with the resize handle located at the bottom right corner of the demo:

import { Grid } from '@&#8203;mantine/core';

function Demo() {
  return (
    // Wrapper div is added for demonstration purposes only,
    // it is not required in real projects
    <div style={{ resize: 'horizontal', overflow: 'hidden', maxWidth: '100%' }}>
      <Grid
        type="container"
        breakpoints={{ xs: '100px', sm: '200px', md: '300px', lg: '400px', xl: '500px' }}
      >
        <Col span={{ base: 12, md: 6, lg: 3 }}>1</Col>
        <Col span={{ base: 12, md: 6, lg: 3 }}>2</Col>
        <Col span={{ base: 12, md: 6, lg: 3 }}>3</Col>
        <Col span={{ base: 12, md: 6, lg: 3 }}>4</Col>
      </Grid>
    </div>
  );
}
CompositeChart component

New CompositeChart component allows using Line, Area and Bar charts together in a single chart:

import { CompositeChart } from '@&#8203;mantine/charts';
import { data } from './data';

function Demo() {
  return (
    <CompositeChart
      h={300}
      data={data}
      dataKey="date"
      unit="$"
      maxBarWidth={30}
      series={[
        { name: 'Tomatoes', color: 'rgba(18, 120, 255, 0.2)', type: 'bar' },
        { name: 'Apples', color: 'red.8', type: 'line' },
        { name: 'Oranges', color: 'yellow.8', type: 'area' },
      ]}
    />
  );
}
Points labels

LineChart and AreaChart now support withPointLabels prop to display labels on data points:

import { LineChart } from '@&#8203;mantine/charts';
import { data } from './data';

function Demo() {
  return (
    <LineChart
      h={300}
      data={data}
      dataKey="date"
      withLegend
      withPointLabels
      series={[
        { name: 'Apples', color: 'indigo.6' },
        { name: 'Oranges', color: 'blue.6' },
      ]}
    />
  );
}

ScatterChart also supports point labels, but also allows to control which axis should display labels with pointLabels prop:

import { ScatterChart } from '@&#8203;mantine/charts';
import { data } from './data';

function Demo() {
  return (
    <ScatterChart
      h={350}
      data={data}
      dataKey={{ x: 'age', y: 'BMI' }}
      xAxisLabel="Age"
      yAxisLabel="BMI"
      pointLabels="x"
    />
  );
}
BarChart: Mixed stacks

You can now control how BarChart series are stacked by setting stackId property in series object:

import { BarChart } from '@&#8203;mantine/charts';
import { data } from './data';

function Demo() {
  return (
    <BarChart
      h={300}
      data={data}
      dataKey="month"
      series={[
        { name: 'Smartphones', color: 'violet.6', stackId: 'a' },
        { name: 'Laptops', color: 'blue.6', stackId: 'b' },
        { name: 'Tablets', color: 'teal.6', stackId: 'b' },
      ]}
    />
  );
}
BarChart: Minimum bar size

BarChart now supports minBarSize prop to set the minimum size of the bar in px:

import { BarChart } from '@&#8203;mantine/charts';
import { data } from './data';

function Demo() {
  return (
    <BarChart
      h={300}
      data={data}
      dataKey="month"
      withLegend
      series={[
        { name: 'Smartphones', color: 'violet.6' },
        { name: 'Laptops', color: 'blue.6' },
        { name: 'Tablets', color: 'teal.6' },
      ]}
    />
  );
}
Help Center updates
Other changes
  • New demo has been added to Chip component with an example of how to deselect radio chip
  • BarChart now supports maxBarWidth prop to set the maximum width of each bar in px

v7.12.2

Compare Source

What's Changed

  • [@mantine/hooks] use-idle: Fix idle countdown not starting if the user did non interact with the page (#​6683)
  • [@mantine/core] ScrollArea: Fix onBottomReached prop not being available in ScrollArea.Autosize component
  • [@mantine/core] Remove children from Checkbox, Radio and Switch types to avoid accidental errors
  • [@mantine/core] TypographyStylesProvider: Fix incorrect table styles in dark color scheme
  • [@mantine/form] Fix error thrown for nullable values dirty status check (#​6672)
  • [@mantine/core] Badge: Fix unexpected change to block layout, fix incorrect alignment when fixed width is set (#​6698, #​6680)
  • [@mantine/core] ScrollArea: Fix pointer-events being left as none after interaction with scrollbar (#​6681)
  • [@mantine/core] Tabs: Fix keepMounted prop being added as attribute to Tabs.Panel DOM element (#​6711)
  • [@mantine/core] Tree: Add initialCheckedState support (#​6697)
  • [@mantine/spotlight] Fix SpotlightRoot component not being exported (#​6710)
  • [@mantine/dropzone] Add 7z and rar mime types exports (#​6702)
  • [@mantine/dates] DatePickerInput: Fix incorrect hovered date logic when the component receives value update with partial selected date range (#​6718)
  • [@mantine/dates] Fix valueFormatter prop being added to DateTimePicker types
  • [@mantine/core] Badge: Fix right/left sections height affecting the alignment of the label
  • [@mantine/core] Menu: Fix accessibility warning in devtools when the Menu is opened (#​6644)

New Contributors

Full Changelog: mantinedev/mantine@7.12.1...7.12.2

v7.12.1

Compare Source

What's Changed

  • [@mantine/dates] DateInput: Fix default date being set to the current date when minDate is set to the future (#​6646)
  • [@mantine/core] ScrollArea: Fix incorrect thumb::before styles
  • [@mantine/core] Fix incorrect active styles of buttons used inside disabled fieldset
  • [@mantine/form] Fix form.watch callbacks not being fired when form.initialize is called (#​6639)
  • [@mantine/core] Switch: Fix Switch shrinking when large label or description is used (#​6531)
  • [@mantine/core] Combobox: Fix Combobox.Search overflow when ScrollArea is used in the dropdown (#​6562)
  • [@mantine/core] Accordion: Add missing withProps function (#​6564)
  • [@mantine/core] Pill: Fix remove icon overflowing pill container if its background color was changed with Styles API (#​6565)
  • [@mantine/core] PinInput: Allow passing props to individual input elements depending on index with getInputProps (#​6588)
  • [@mantine/charts]: Fix LineChart Legend and Tooltip to support nested names (#​6536)
  • [@mantine/core] Tooltip: Add missing Tooltip.Group.extend function (#​6576)
  • [@mantine/spotlight] Fix limit prop not working correctly with actions groups (#​6632)
  • [@mantine/core] Badge: Fix text overflow not being handled correctly (#​6629)
  • [@mantine/core] SegmentedControl: Add data-disabled attribute to the root element to simplify styling with Styles API (#​6625)
  • [@mantine/core] SegmentedControl: Fix initial position of indicator being broken when the component is used inside other element that has transitions on mount (#​6622)
  • [@mantine/core] TagsInput: Fix onKeyDown prop not working (#​6569)
  • [@mantine/charts] PieChart: Fix valueFormatter not working on outside labels (#​6616)
  • [@mantine/core] Popover: Fix apply function of size middleware not being handled correctly (#​6598)
  • [@mantine/core] Chip: Fix incorrect checked padding for size="xl" (#​6586)
  • [@mantine/dates] TimeInput: Fix incorrect focus styles of am/pm input (#​6579)
  • [@mantine/hook] use-os: Fix incorrect iPadOS detection (#​6535)
  • [@mantine/core] DatePickerInput: Fix incorrect aria-label being set on the input element (#​6530)
  • [@mantine/core] Menu: Fix incorrect Escape key handling inside Modal (#​6580)

New Contributors

Full Changelog: mantinedev/mantine@7.12.0...7.12.1

v7.12.0: 🌟

Compare Source

View changelog with demos on mantine.dev website

Notifications at any position

It is now possible to display notifications at any position on the screen
with @​mantine/notifications package:

import { Button } from '@&#8203;mantine/core';
import { notifications } from '@&#8203;mantine/notifications';

const positions = [
  'top-left',
  'top-right',
  'bottom-left',
  'bottom-right',
  'top-center',
  'bottom-center',
] as const;

function Demo() {
  const buttons = positions.map((position) => (
    <Button
      key={position}
      onClick={() =>
        notifications.show({
          title: `Notification at ${position}`,
          message: `Notification at ${position} message`,
          position,
        })
      }
    >
      {position}
    </Button>
  ));

  return <Group>{buttons}</Group>;
}

Subscribe to notifications state

You can now subscribe to notifications state changes with useNotifications hook:

function Demo() {
  const [counter, { increment }] = useCounter();
  const notificationsStore = useNotifications();

  const showNotification = () => {
    notifications.show({
      title: `Notification ${counter}`,
      message: 'Most notifications are added to queue',
    });

    increment();
  };

  return (
    <>
      <Button onClick={showNotification} mb="md">
        Show notification
      </Button>

      <Text>Notifications state</Text>
      <Code block>{JSON.stringify(notificationsStore.notifications, null, 2)}</Code>

      <Text mt="md">Notifications queue</Text>
      <Code block>{JSON.stringify(notificationsStore.queue, null, 2)}</Code>
    </>
  );
}

SemiCircleProgress component

New SemiCircleProgress component:

import { SemiCircleProgress } from '@&#8203;mantine/core';

function Demo() {
  return (
    <SemiCircleProgress
      fillDirection="left-to-right"
      orientation="up"
      filledSegmentColor="blue"
      size={200}
      thickness={12}
      value={40}
      label="Label"
    />
  );
}

Tree checked state

Tree component now supports checked state:

import { IconChevronDown } from '@&#8203;tabler/icons-react';
import { Checkbox, Group, RenderTreeNodePayload, Tree } from '@&#8203;mantine/core';
import { data } from './data';

const renderTreeNode = ({
  node,
  expanded,
  hasChildren,
  elementProps,
  tree,
}: RenderTreeNodePayload) => {
  const checked = tree.isNodeChecked(node.value);
  const indeterminate = tree.isNodeIndeterminate(node.value);

  return (
    <Group gap="xs" {...elementProps}>
      <Checkbox.Indicator
        checked={checked}
        indeterminate={indeterminate}
        onClick={() => (!checked ? tree.checkNode(node.value) : tree.uncheckNode(node.value))}
      />

      <Group gap={5} onClick={() => tree.toggleExpanded(node.value)}>
        <span>{node.label}</span>

        {hasChildren && (
          <IconChevronDown
            size={14}
            style={{ transform: expanded ? 'rotate(180deg)' : 'rotate(0deg)' }}
          />
        )}
      </Group>
    </Group>
  );
};

function Demo() {
  return <Tree data={data} levelOffset={23} expandOnClick={false} renderNode={renderTreeNode} />;
}

Disable specific features in postcss-preset-mantine

You can now disable specific features of the postcss-preset-mantine
by setting them to false in the configuration object. This feature is available starting from
postcss-preset-mantine@1.17.0.

module.exports = {
  'postcss-preset-mantine': {
    features: {
      // Turn off `light-dark` function
      lightDarkFunction: false,

      // Turn off `postcss-nested` plugin
      nested: false,

      // Turn off `lighten`, `darken` and `alpha` functions
      colorMixAlpha: false,

      // Turn off `rem` and `em` functions
      remEmFunctions: false,

      // Turn off `postcss-mixins` plugin
      mixins: false,
    },
  },
};

Help Center updates

Other changes

  • use-interval hook now supports autoInvoke option to start the interval automatically when the component mounts.
  • use-form with mode="uncontrolled" now triggers additional rerender when dirty state changes to allow subscribing to form state changes.
  • ScrollArea component now supports onTopReached and onBottomReached props. The functions are called when the user scrolls to the top or bottom of the scroll area.
  • Accordion.Panel component now supports onTransitionEnd prop that is called when the panel animation completes.

v7.11.2

Compare Source

What's Changed

  • [@mantine/core] Combobox: Fix inconsistent horizontal dropdown padding
  • [@mantine/core] Drawer: Fix content overflowing horizontally on mobile when offset is set
  • [@mantine/core] Drawer: Fix double scrollbar appearing when offset and scrollAreaComponent props are set
  • [@mantine/carousel] Fix responsive slideSize values working differently from other style props
  • [@mantine/hooks] use-interval: Add autoInvoke option support
  • [@mantine/hooks] use-interval: Fix updates to the function and interval timeout being ignored
  • [@mantine/core] Anchor: Fix lineClamp prop not working
  • [@mantine/core] Anchor: Fix text-decoration styles being inconsistent with variant="gradient"
  • [@mantine/dates] DateInput: Fix value flickering with custom timezone (#​6517)
  • [@mantine/core] Burger: Fix lineSize being passed to the DOM node (#​6520)
  • [@mantine/charts] Add support for nested properties in dataKey (#​5886)
  • [@mantine/core] Fix Modal/Drawer headers overlaying custom scrollbar (#​6175)
  • [@mantine/charts] Sparkline: Fix incorrect data prop type (#​6352)
  • [@mantine/charts] Fix strokeColor prop being passed to the DOM element (#​6507)
  • [@mantine/core] FocusTrap: Improve compatibility with React 19 (#​6492)
  • [@mantine/hooks] use-os: Fix iOS being reported as MacOS in several cases (#​6511)
  • [@mantine/emotion] Fix incorrect types of createStyles classes (#​6490)
  • [@mantine/core] Tooltip: Fix floatingStrategy="fixed" not working (#​6502)

New Contributors

Full Changelog: mantinedev/mantine@7.11.1...7.11.2

v7.11.1

Compare Source

What's Changed

  • [@mantine/core] Add option to display nothingFoundMessage when data is empty in Select and MultiSelect components (#​6477)
  • [@mantine/core] Tooltip: Add defaultOpened prop support (#​6466)
  • [@mantine/core] PinInput: Fix incorrect rtl logic (#​6382)
  • [@mantine/core] Popover: Fix floatingStrategy="fixed" not having position:fixed styles (#​6419)
  • [@mantine/spotlight] Fix spotlight not working correctly with shadow DOM (#​6400)
  • [@mantine/form] Fix onValuesChange using stale values (#​6392)
  • [@mantine/carousel] Fix onSlideChange using stale props values (#​6393)
  • [@mantine/charts] Fix unexpected padding on the right side of the chart in BarChart, AreaChart and LineChart components (#​6467)
  • [@mantine/core] Select: Fix onChange being called with the already selected if it has been picked from the dropdown (#​6468)
  • [@mantine/dates] DatePickerInput: Fix highlightToday not working (#​6471)
  • [@mantine/core] NumberInput: Fix incorrect handling of numbers larger than max safe integer on blur (#​6407)
  • [@mantine/core] Tooltip: Fix tooltip arrow being incompatible with headless mode (#​6458)
  • [@mantine/core] ActionIcon: Fix loading styles incon

Configuration

📅 Schedule: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined).

🚦 Automerge: Enabled.

Rebasing: Whenever PR is behind base branch, or you tick the rebase/retry checkbox.

🔕 Ignore: Close this PR and you won't be reminded about these updates again.


  • If you want to rebase/retry this PR, check this box

This PR was generated by Mend Renovate. View the repository job log.

@renovate renovate bot force-pushed the renovate/major-mantine-monorepo branch 16 times, most recently from 9a97b37 to b0602c2 Compare September 25, 2023 20:24
@renovate renovate bot force-pushed the renovate/major-mantine-monorepo branch 11 times, most recently from c0851c2 to 2296e3e Compare September 28, 2023 22:08
@renovate renovate bot force-pushed the renovate/major-mantine-monorepo branch 10 times, most recently from 62dd088 to 9962be7 Compare October 30, 2024 00:51
@renovate renovate bot force-pushed the renovate/major-mantine-monorepo branch 9 times, most recently from 14165c5 to 496c817 Compare November 6, 2024 16:42
@renovate renovate bot force-pushed the renovate/major-mantine-monorepo branch 9 times, most recently from c57fbe1 to e4b956b Compare November 12, 2024 21:59
@renovate renovate bot force-pushed the renovate/major-mantine-monorepo branch from e4b956b to f19f2b5 Compare November 13, 2024 17:11
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Projects
None yet
Development

Successfully merging this pull request may close these issues.

1 participant