Merge pull request #9673 from home-assistant/dev

20210801.0
This commit is contained in:
Bram Kragten 2021-08-01 23:40:48 +02:00 committed by GitHub
commit 6dc4d7bb70
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
29 changed files with 921 additions and 921 deletions

View File

@ -2,7 +2,7 @@ from setuptools import setup, find_packages
setup( setup(
name="home-assistant-frontend", name="home-assistant-frontend",
version="20210730.0", version="20210801.0",
description="The Home Assistant frontend", description="The Home Assistant frontend",
url="https://github.com/home-assistant/frontend", url="https://github.com/home-assistant/frontend",
author="The Home Assistant Authors", author="The Home Assistant Authors",

View File

@ -78,7 +78,10 @@ const getDefaultFormatOptions = (
num: string | number, num: string | number,
options?: Intl.NumberFormatOptions options?: Intl.NumberFormatOptions
): Intl.NumberFormatOptions => { ): Intl.NumberFormatOptions => {
const defaultOptions: Intl.NumberFormatOptions = options || {}; const defaultOptions: Intl.NumberFormatOptions = {
maximumFractionDigits: 2,
...options,
};
if (typeof num !== "string") { if (typeof num !== "string") {
return defaultOptions; return defaultOptions;

View File

@ -29,9 +29,11 @@ export default class HaChartBase extends LitElement {
@property({ attribute: false }) public plugins?: any[]; @property({ attribute: false }) public plugins?: any[];
@state() private _tooltip?: Tooltip; @property({ type: Number }) public height?: number;
@state() private _height?: string; @state() private _chartHeight?: number;
@state() private _tooltip?: Tooltip;
@state() private _hiddenDatasets: Set<number> = new Set(); @state() private _hiddenDatasets: Set<number> = new Set();
@ -96,11 +98,8 @@ export default class HaChartBase extends LitElement {
<div <div
class="chartContainer" class="chartContainer"
style=${styleMap({ style=${styleMap({
height: height: `${this.height ?? this._chartHeight}px`,
this.chartType === "timeline" overflow: this._chartHeight ? "initial" : "hidden",
? `${this.data.datasets.length * 30 + 30}px`
: this._height,
overflow: this._height ? "initial" : "hidden",
})} })}
> >
<canvas></canvas> <canvas></canvas>
@ -194,7 +193,7 @@ export default class HaChartBase extends LitElement {
{ {
id: "afterRenderHook", id: "afterRenderHook",
afterRender: (chart) => { afterRender: (chart) => {
this._height = `${chart.height}px`; this._chartHeight = chart.height;
}, },
legend: { legend: {
...this.options?.plugins?.legend, ...this.options?.plugins?.legend,
@ -255,8 +254,8 @@ export default class HaChartBase extends LitElement {
height: 0; height: 0;
transition: height 300ms cubic-bezier(0.4, 0, 0.2, 1); transition: height 300ms cubic-bezier(0.4, 0, 0.2, 1);
} }
:host(:not([chart-type="timeline"])) canvas { canvas {
max-height: 400px; max-height: var(--chart-max-height, 400px);
} }
.chartLegend { .chartLegend {
text-align: center; text-align: center;

View File

@ -2,7 +2,10 @@ import type { ChartData, ChartDataset, ChartOptions } from "chart.js";
import { html, LitElement, PropertyValues } from "lit"; import { html, LitElement, PropertyValues } from "lit";
import { property, state } from "lit/decorators"; import { property, state } from "lit/decorators";
import { getColorByIndex } from "../../common/color/colors"; import { getColorByIndex } from "../../common/color/colors";
import { numberFormatToLocale } from "../../common/string/format_number"; import {
formatNumber,
numberFormatToLocale,
} from "../../common/string/format_number";
import { LineChartEntity, LineChartState } from "../../data/history"; import { LineChartEntity, LineChartState } from "../../data/history";
import { HomeAssistant } from "../../types"; import { HomeAssistant } from "../../types";
import "./ha-chart-base"; import "./ha-chart-base";
@ -85,7 +88,10 @@ class StateHistoryChartLine extends LitElement {
mode: "nearest", mode: "nearest",
callbacks: { callbacks: {
label: (context) => label: (context) =>
`${context.dataset.label}: ${context.parsed.y} ${this.unit}`, `${context.dataset.label}: ${formatNumber(
context.parsed.y,
this.hass.locale
)} ${this.unit}`,
}, },
}, },
filler: { filler: {

View File

@ -1,6 +1,6 @@
import type { ChartData, ChartDataset, ChartOptions } from "chart.js"; import type { ChartData, ChartDataset, ChartOptions } from "chart.js";
import { HassEntity } from "home-assistant-js-websocket"; import { HassEntity } from "home-assistant-js-websocket";
import { html, LitElement, PropertyValues } from "lit"; import { css, CSSResultGroup, html, LitElement, PropertyValues } from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import { getColorByIndex } from "../../common/color/colors"; import { getColorByIndex } from "../../common/color/colors";
import { formatDateTimeWithSeconds } from "../../common/datetime/format_date_time"; import { formatDateTimeWithSeconds } from "../../common/datetime/format_date_time";
@ -99,6 +99,7 @@ export class StateHistoryChartTimeline extends LitElement {
<ha-chart-base <ha-chart-base
.data=${this._chartData} .data=${this._chartData}
.options=${this._chartOptions} .options=${this._chartOptions}
.height=${this.data.length * 30 + 30}
chart-type="timeline" chart-type="timeline"
></ha-chart-base> ></ha-chart-base>
`; `;
@ -304,6 +305,14 @@ export class StateHistoryChartTimeline extends LitElement {
datasets: datasets, datasets: datasets,
}; };
} }
static get styles(): CSSResultGroup {
return css`
ha-chart-base {
--chart-max-height: none;
}
`;
}
} }
declare global { declare global {

View File

@ -16,10 +16,15 @@ import { customElement, property, state } from "lit/decorators";
import { getColorByIndex } from "../../common/color/colors"; import { getColorByIndex } from "../../common/color/colors";
import { isComponentLoaded } from "../../common/config/is_component_loaded"; import { isComponentLoaded } from "../../common/config/is_component_loaded";
import { computeStateName } from "../../common/entity/compute_state_name"; import { computeStateName } from "../../common/entity/compute_state_name";
import { numberFormatToLocale } from "../../common/string/format_number";
import { import {
formatNumber,
numberFormatToLocale,
} from "../../common/string/format_number";
import {
getStatisticIds,
Statistics, Statistics,
statisticsHaveType, statisticsHaveType,
StatisticsMetaData,
StatisticType, StatisticType,
} from "../../data/history"; } from "../../data/history";
import type { HomeAssistant } from "../../types"; import type { HomeAssistant } from "../../types";
@ -31,8 +36,12 @@ class StatisticsChart extends LitElement {
@property({ attribute: false }) public statisticsData!: Statistics; @property({ attribute: false }) public statisticsData!: Statistics;
@property({ type: Array }) public statisticIds?: StatisticsMetaData[];
@property() public names: boolean | Record<string, string> = false; @property() public names: boolean | Record<string, string> = false;
@property() public unit?: string;
@property({ attribute: false }) public endTime?: Date; @property({ attribute: false }) public endTime?: Date;
@property({ type: Array }) public statTypes: Array<StatisticType> = [ @property({ type: Array }) public statTypes: Array<StatisticType> = [
@ -46,12 +55,12 @@ class StatisticsChart extends LitElement {
@property({ type: Boolean }) public isLoadingData = false; @property({ type: Boolean }) public isLoadingData = false;
@state() private _chartData?: ChartData; @state() private _chartData: ChartData = { datasets: [] };
@state() private _chartOptions?: ChartOptions; @state() private _chartOptions?: ChartOptions;
protected shouldUpdate(changedProps: PropertyValues): boolean { protected shouldUpdate(changedProps: PropertyValues): boolean {
return !(changedProps.size === 1 && changedProps.has("hass")); return changedProps.size > 1 || !changedProps.has("hass");
} }
public willUpdate(changedProps: PropertyValues) { public willUpdate(changedProps: PropertyValues) {
@ -124,23 +133,35 @@ class StatisticsChart extends LitElement {
}, },
}, },
y: { y: {
beginAtZero: false,
ticks: { ticks: {
maxTicksLimit: 7, maxTicksLimit: 7,
}, },
title: {
display: this.unit,
text: this.unit,
},
}, },
}, },
plugins: { plugins: {
tooltip: { tooltip: {
mode: "nearest", mode: "nearest",
callbacks: { callbacks: {
label: (context) => `${context.dataset.label}: ${context.parsed.y}`, label: (context) =>
`${context.dataset.label}: ${formatNumber(
context.parsed.y,
this.hass.locale
)} ${
// @ts-ignore
context.dataset.unit || ""
}`,
}, },
}, },
filler: { filler: {
propagate: true, propagate: true,
}, },
legend: { legend: {
display: false, display: true,
labels: { labels: {
usePointStyle: true, usePointStyle: true,
}, },
@ -154,6 +175,7 @@ class StatisticsChart extends LitElement {
tension: 0.4, tension: 0.4,
borderWidth: 1.5, borderWidth: 1.5,
}, },
bar: { borderWidth: 1.5, borderRadius: 4 },
point: { point: {
hitRadius: 5, hitRadius: 5,
}, },
@ -163,10 +185,19 @@ class StatisticsChart extends LitElement {
}; };
} }
private _generateData() { private async _getStatisticIds() {
this.statisticIds = await getStatisticIds(this.hass);
}
private async _generateData() {
if (!this.statisticsData) { if (!this.statisticsData) {
return; return;
} }
if (!this.statisticIds) {
await this._getStatisticIds();
}
let colorIndex = 0; let colorIndex = 0;
const statisticsData = Object.values(this.statisticsData); const statisticsData = Object.values(this.statisticsData);
const totalDataSets: ChartDataset<"line">[] = []; const totalDataSets: ChartDataset<"line">[] = [];
@ -191,6 +222,8 @@ class StatisticsChart extends LitElement {
endTime = new Date(); endTime = new Date();
} }
let unit: string | undefined | null;
const names = this.names || {}; const names = this.names || {};
statisticsData.forEach((stats) => { statisticsData.forEach((stats) => {
const firstStat = stats[0]; const firstStat = stats[0];
@ -203,6 +236,19 @@ class StatisticsChart extends LitElement {
name = firstStat.statistic_id; name = firstStat.statistic_id;
} }
} }
const meta = this.statisticIds!.find(
(stat) => stat.statistic_id === firstStat.statistic_id
);
if (!this.unit) {
if (unit === undefined) {
unit = meta?.unit_of_measurement;
} else if (unit !== meta?.unit_of_measurement) {
unit = null;
}
}
// array containing [value1, value2, etc] // array containing [value1, value2, etc]
let prevValues: Array<number | null> | null = null; let prevValues: Array<number | null> | null = null;
@ -237,64 +283,54 @@ class StatisticsChart extends LitElement {
const color = getColorByIndex(colorIndex); const color = getColorByIndex(colorIndex);
colorIndex++; colorIndex++;
const addDataSet = (
nameY: string,
borderColor: string,
backgroundColor: string,
step = false,
fill?: boolean | number | string
) => {
statDataSets.push({
label: nameY,
fill: fill || false,
borderColor,
backgroundColor: backgroundColor,
stepped: step ? "before" : false,
pointRadius: 0,
data: [],
});
};
const statTypes: this["statTypes"] = []; const statTypes: this["statTypes"] = [];
const sortedTypes = [...this.statTypes].sort((a, _b) => {
if (a === "min") {
return -1;
}
if (a === "max") {
return +1;
}
return 0;
});
const drawBands = const drawBands =
this.statTypes.includes("mean") && statisticsHaveType(stats, "mean"); this.statTypes.includes("mean") && statisticsHaveType(stats, "mean");
const sortedTypes = drawBands
? [...this.statTypes].sort((a, b) => {
if (a === "min" || b === "max") {
return -1;
}
if (a === "max" || b === "min") {
return +1;
}
return 0;
})
: this.statTypes;
sortedTypes.forEach((type) => { sortedTypes.forEach((type) => {
if (statisticsHaveType(stats, type)) { if (statisticsHaveType(stats, type)) {
const band = drawBands && (type === "min" || type === "max");
statTypes.push(type); statTypes.push(type);
addDataSet( statDataSets.push({
`${name} (${this.hass.localize( label: `${name} (${this.hass.localize(
`ui.components.statistics_charts.statistic_types.${type}` `ui.components.statistics_charts.statistic_types.${type}`
)})`, )})
drawBands && (type === "min" || type === "max") `,
? color + "7F" fill: drawBands
: color,
color + "7F",
false,
drawBands
? type === "min" ? type === "min"
? "+1" ? "+1"
: type === "max" : type === "max"
? "-1" ? "-1"
: false : false
: false : false,
); borderColor: band ? color + "7F" : color,
backgroundColor: band ? color + "3F" : color + "7F",
pointRadius: 0,
data: [],
// @ts-ignore
unit: meta?.unit_of_measurement,
band,
});
} }
}); });
let prevDate: Date | null = null; let prevDate: Date | null = null;
// Process chart data. // Process chart data.
let initVal: number | null = null;
let prevSum: number | null = null;
stats.forEach((stat) => { stats.forEach((stat) => {
const date = new Date(stat.start); const date = new Date(stat.start);
if (prevDate === date) { if (prevDate === date) {
@ -305,7 +341,12 @@ class StatisticsChart extends LitElement {
statTypes.forEach((type) => { statTypes.forEach((type) => {
let val: number | null; let val: number | null;
if (type === "sum") { if (type === "sum") {
val = stat.state; if (!initVal) {
initVal = val = stat.state;
prevSum = stat.sum;
} else {
val = initVal + ((stat.sum || 0) - prevSum!);
}
} else { } else {
val = stat[type]; val = stat[type];
} }
@ -321,6 +362,19 @@ class StatisticsChart extends LitElement {
Array.prototype.push.apply(totalDataSets, statDataSets); Array.prototype.push.apply(totalDataSets, statDataSets);
}); });
if (unit !== null) {
this._chartOptions = {
...this._chartOptions,
scales: {
...this._chartOptions!.scales,
y: {
...(this._chartOptions!.scales!.y as Record<string, unknown>),
title: { display: unit, text: unit },
},
},
};
}
this._chartData = { this._chartData = {
datasets: totalDataSets, datasets: totalDataSets,
}; };

View File

@ -27,9 +27,8 @@ class HaStatisticsPicker extends LitElement {
return html``; return html``;
} }
const currentStatistics = this._currentStatistics;
return html` return html`
${currentStatistics.map( ${this._currentStatistics.map(
(statisticId) => html` (statisticId) => html`
<div> <div>
<ha-statistic-picker <ha-statistic-picker

View File

@ -1,4 +1,16 @@
import {
addHours,
endOfToday,
endOfYesterday,
startOfToday,
startOfYesterday,
} from "date-fns";
import { Collection, getCollection } from "home-assistant-js-websocket";
import { subscribeOne } from "../common/util/subscribe-one";
import { HomeAssistant } from "../types"; import { HomeAssistant } from "../types";
import { ConfigEntry, getConfigEntries } from "./config_entries";
import { subscribeEntityRegistry } from "./entity_registry";
import { fetchStatistics, Statistics } from "./history";
export const emptyFlowFromGridSourceEnergyPreference = export const emptyFlowFromGridSourceEnergyPreference =
(): FlowFromGridSourceEnergyPreference => ({ (): FlowFromGridSourceEnergyPreference => ({
@ -103,14 +115,21 @@ export const getEnergyPreferences = (hass: HomeAssistant) =>
type: "energy/get_prefs", type: "energy/get_prefs",
}); });
export const saveEnergyPreferences = ( export const saveEnergyPreferences = async (
hass: HomeAssistant, hass: HomeAssistant,
prefs: Partial<EnergyPreferences> prefs: Partial<EnergyPreferences>
) => ) => {
hass.callWS<EnergyPreferences>({ const newPrefs = hass.callWS<EnergyPreferences>({
type: "energy/save_prefs", type: "energy/save_prefs",
...prefs, ...prefs,
}); });
const energyCollection = getEnergyDataCollection(hass);
energyCollection.clearPrefs();
if (energyCollection._active) {
energyCollection.refresh();
}
return newPrefs;
};
interface EnergySourceByType { interface EnergySourceByType {
grid?: GridSourceTypeEnergyPreference[]; grid?: GridSourceTypeEnergyPreference[];
@ -128,3 +147,197 @@ export const energySourcesByType = (prefs: EnergyPreferences) => {
} }
return types; return types;
}; };
export interface EnergyData {
start: Date;
end?: Date;
prefs: EnergyPreferences;
info: EnergyInfo;
stats: Statistics;
co2SignalConfigEntry?: ConfigEntry;
co2SignalEntity?: string;
}
const getEnergyData = async (
hass: HomeAssistant,
prefs: EnergyPreferences,
start: Date,
end?: Date
): Promise<EnergyData> => {
const [configEntries, entityRegistryEntries, info] = await Promise.all([
getConfigEntries(hass),
subscribeOne(hass.connection, subscribeEntityRegistry),
getEnergyInfo(hass),
]);
const co2SignalConfigEntry = configEntries.find(
(entry) => entry.domain === "co2signal"
);
let co2SignalEntity: string | undefined;
if (co2SignalConfigEntry) {
for (const entry of entityRegistryEntries) {
if (entry.config_entry_id !== co2SignalConfigEntry.entry_id) {
continue;
}
// The integration offers 2 entities. We want the % one.
const co2State = hass.states[entry.entity_id];
if (!co2State || co2State.attributes.unit_of_measurement !== "%") {
continue;
}
co2SignalEntity = co2State.entity_id;
break;
}
}
const statIDs: string[] = [];
if (co2SignalEntity !== undefined) {
statIDs.push(co2SignalEntity);
}
for (const source of prefs.energy_sources) {
if (source.type === "solar") {
statIDs.push(source.stat_energy_from);
continue;
}
// grid source
for (const flowFrom of source.flow_from) {
statIDs.push(flowFrom.stat_energy_from);
}
for (const flowTo of source.flow_to) {
statIDs.push(flowTo.stat_energy_to);
}
}
const stats = await fetchStatistics(hass!, addHours(start, -1), end, statIDs); // Subtract 1 hour from start to get starting point data
return {
start,
end,
info,
prefs,
stats,
co2SignalConfigEntry,
co2SignalEntity,
};
};
export interface EnergyCollection extends Collection<EnergyData> {
start: Date;
end?: Date;
prefs?: EnergyPreferences;
clearPrefs(): void;
setPeriod(newStart: Date, newEnd?: Date): void;
_refreshTimeout?: number;
_updatePeriodTimeout?: number;
_active: number;
}
export const getEnergyDataCollection = (
hass: HomeAssistant,
prefs?: EnergyPreferences
): EnergyCollection => {
if ((hass.connection as any)._energy) {
return (hass.connection as any)._energy;
}
const collection = getCollection<EnergyData>(
hass.connection,
"_energy",
async () => {
if (!collection.prefs) {
// This will raise if not found.
// Detect by checking `e.code === "not_found"
collection.prefs = await getEnergyPreferences(hass);
}
if (collection._refreshTimeout) {
clearTimeout(collection._refreshTimeout);
}
if (
collection._active &&
(!collection.end || collection.end > new Date())
) {
// The stats are created every hour
// Schedule a refresh for 20 minutes past the hour
// If the end is larger than the current time.
const nextFetch = new Date();
if (nextFetch.getMinutes() > 20) {
nextFetch.setHours(nextFetch.getHours() + 1);
}
nextFetch.setMinutes(20);
collection._refreshTimeout = window.setTimeout(
() => collection.refresh(),
nextFetch.getTime() - Date.now()
);
}
return getEnergyData(
hass,
collection.prefs,
collection.start,
collection.end
);
}
) as EnergyCollection;
const origSubscribe = collection.subscribe;
collection.subscribe = (subscriber: (data: EnergyData) => void) => {
const unsub = origSubscribe(subscriber);
collection._active++;
return () => {
collection._active--;
if (collection._active < 1) {
clearTimeout(collection._refreshTimeout);
collection._refreshTimeout = undefined;
}
unsub();
};
};
collection._active = 0;
collection.prefs = prefs;
const now = new Date();
// Set start to start of today if we have data for today, otherwise yesterday
collection.start = now.getHours() > 0 ? startOfToday() : startOfYesterday();
collection.end = now.getHours() > 0 ? endOfToday() : endOfYesterday();
const scheduleUpdatePeriod = () => {
collection._updatePeriodTimeout = window.setTimeout(
() => {
collection.start = startOfToday();
collection.end = endOfToday();
scheduleUpdatePeriod();
},
addHours(endOfToday(), 1).getTime() - Date.now() // Switch to next day an hour after the day changed
);
};
scheduleUpdatePeriod();
collection.clearPrefs = () => {
collection.prefs = undefined;
};
collection.setPeriod = (newStart: Date, newEnd?: Date) => {
collection.start = newStart;
collection.end = newEnd;
if (collection._updatePeriodTimeout) {
clearTimeout(collection._updatePeriodTimeout);
collection._updatePeriodTimeout = undefined;
}
if (
collection.start.getTime() === startOfToday().getTime() &&
collection.end?.getTime() === endOfToday().getTime()
) {
scheduleUpdatePeriod();
}
};
return collection;
};

View File

@ -14,6 +14,7 @@ import { customElement, property, state } from "lit/decorators";
import "../../components/ha-menu-button"; import "../../components/ha-menu-button";
import "../../layouts/ha-app-layout"; import "../../layouts/ha-app-layout";
import { mdiCog } from "@mdi/js"; import { mdiCog } from "@mdi/js";
import { haStyle } from "../../resources/styles"; import { haStyle } from "../../resources/styles";
import "../lovelace/views/hui-view"; import "../lovelace/views/hui-view";
import { HomeAssistant } from "../../types"; import { HomeAssistant } from "../../types";

View File

@ -1,5 +1,6 @@
import { import {
EnergyPreferences, EnergyPreferences,
getEnergyDataCollection,
getEnergyPreferences, getEnergyPreferences,
GridSourceTypeEnergyPreference, GridSourceTypeEnergyPreference,
} from "../../../data/energy"; } from "../../../data/energy";
@ -26,10 +27,10 @@ export class EnergyStrategy {
const view: LovelaceViewConfig = { cards: [] }; const view: LovelaceViewConfig = { cards: [] };
let energyPrefs: EnergyPreferences; let prefs: EnergyPreferences;
try { try {
energyPrefs = await getEnergyPreferences(hass); prefs = await getEnergyPreferences(hass);
} catch (e) { } catch (e) {
if (e.code === "not_found") { if (e.code === "not_found") {
return setupWizard(); return setupWizard();
@ -43,20 +44,25 @@ export class EnergyStrategy {
view.type = "sidebar"; view.type = "sidebar";
const hasGrid = energyPrefs.energy_sources.find( const hasGrid = prefs.energy_sources.find(
(source) => source.type === "grid" (source) => source.type === "grid"
) as GridSourceTypeEnergyPreference; ) as GridSourceTypeEnergyPreference;
const hasReturn = hasGrid && hasGrid.flow_to.length; const hasReturn = hasGrid && hasGrid.flow_to.length;
const hasSolar = energyPrefs.energy_sources.some( const hasSolar = prefs.energy_sources.some(
(source) => source.type === "solar" (source) => source.type === "solar"
); );
getEnergyDataCollection(hass, prefs);
view.cards!.push({
type: "energy-date-selection",
});
// Only include if we have a grid source. // Only include if we have a grid source.
if (hasGrid) { if (hasGrid) {
view.cards!.push({ view.cards!.push({
title: "Energy usage", title: "Energy usage",
type: "energy-usage-graph", type: "energy-usage-graph",
prefs: energyPrefs,
}); });
} }
@ -65,7 +71,6 @@ export class EnergyStrategy {
view.cards!.push({ view.cards!.push({
title: "Solar production", title: "Solar production",
type: "energy-solar-graph", type: "energy-solar-graph",
prefs: energyPrefs,
}); });
} }
@ -74,7 +79,6 @@ export class EnergyStrategy {
view.cards!.push({ view.cards!.push({
title: "Energy distribution", title: "Energy distribution",
type: "energy-distribution", type: "energy-distribution",
prefs: energyPrefs,
view_layout: { position: "sidebar" }, view_layout: { position: "sidebar" },
}); });
} }
@ -83,16 +87,6 @@ export class EnergyStrategy {
view.cards!.push({ view.cards!.push({
title: "Sources", title: "Sources",
type: "energy-sources-table", type: "energy-sources-table",
prefs: energyPrefs,
});
}
// Only include if we have a solar source.
if (hasSolar) {
view.cards!.push({
type: "energy-solar-consumed-gauge",
prefs: energyPrefs,
view_layout: { position: "sidebar" },
}); });
} }
@ -100,7 +94,14 @@ export class EnergyStrategy {
if (hasReturn) { if (hasReturn) {
view.cards!.push({ view.cards!.push({
type: "energy-grid-neutrality-gauge", type: "energy-grid-neutrality-gauge",
prefs: energyPrefs, view_layout: { position: "sidebar" },
});
}
// Only include if we have a solar source.
if (hasSolar && hasReturn) {
view.cards!.push({
type: "energy-solar-consumed-gauge",
view_layout: { position: "sidebar" }, view_layout: { position: "sidebar" },
}); });
} }
@ -109,17 +110,15 @@ export class EnergyStrategy {
if (hasGrid) { if (hasGrid) {
view.cards!.push({ view.cards!.push({
type: "energy-carbon-consumed-gauge", type: "energy-carbon-consumed-gauge",
prefs: energyPrefs,
view_layout: { position: "sidebar" }, view_layout: { position: "sidebar" },
}); });
} }
// Only include if we have at least 1 device in the config. // Only include if we have at least 1 device in the config.
if (energyPrefs.device_consumption.length) { if (prefs.device_consumption.length) {
view.cards!.push({ view.cards!.push({
title: "Monitor individual devices", title: "Monitor individual devices",
type: "energy-devices-graph", type: "energy-devices-graph",
prefs: energyPrefs,
}); });
} }

View File

@ -2,6 +2,15 @@ import "@polymer/app-layout/app-header/app-header";
import "@polymer/app-layout/app-toolbar/app-toolbar"; import "@polymer/app-layout/app-toolbar/app-toolbar";
import { css, html, LitElement, PropertyValues } from "lit"; import { css, html, LitElement, PropertyValues } from "lit";
import { property, state } from "lit/decorators"; import { property, state } from "lit/decorators";
import {
startOfWeek,
endOfWeek,
startOfToday,
endOfToday,
startOfYesterday,
endOfYesterday,
addDays,
} from "date-fns";
import { computeRTL } from "../../common/util/compute_rtl"; import { computeRTL } from "../../common/util/compute_rtl";
import "../../components/entity/ha-entity-picker"; import "../../components/entity/ha-entity-picker";
import "../../components/ha-circular-progress"; import "../../components/ha-circular-progress";
@ -37,15 +46,11 @@ class HaPanelHistory extends LitElement {
super(); super();
const start = new Date(); const start = new Date();
start.setHours(start.getHours() - 2); start.setHours(start.getHours() - 2, 0, 0, 0);
start.setMinutes(0);
start.setSeconds(0);
this._startDate = start; this._startDate = start;
const end = new Date(); const end = new Date();
end.setHours(end.getHours() + 1); end.setHours(end.getHours() + 1, 0, 0, 0);
end.setMinutes(0);
end.setSeconds(0);
this._endDate = end; this._endDate = end;
} }
@ -108,42 +113,20 @@ class HaPanelHistory extends LitElement {
super.firstUpdated(changedProps); super.firstUpdated(changedProps);
const today = new Date(); const today = new Date();
today.setHours(0, 0, 0, 0); const weekStart = startOfWeek(today);
const todayEnd = new Date(today); const weekEnd = endOfWeek(today);
todayEnd.setDate(todayEnd.getDate() + 1);
todayEnd.setMilliseconds(todayEnd.getMilliseconds() - 1);
const yesterday = new Date(today);
yesterday.setDate(today.getDate() - 1);
const yesterdayEnd = new Date(today);
yesterdayEnd.setMilliseconds(yesterdayEnd.getMilliseconds() - 1);
const thisWeekStart = new Date(today);
thisWeekStart.setDate(today.getDate() - today.getDay());
const thisWeekEnd = new Date(thisWeekStart);
thisWeekEnd.setDate(thisWeekStart.getDate() + 7);
thisWeekEnd.setMilliseconds(thisWeekEnd.getMilliseconds() - 1);
const lastWeekStart = new Date(today);
lastWeekStart.setDate(today.getDate() - today.getDay() - 7);
const lastWeekEnd = new Date(lastWeekStart);
lastWeekEnd.setDate(lastWeekStart.getDate() + 7);
lastWeekEnd.setMilliseconds(lastWeekEnd.getMilliseconds() - 1);
this._ranges = { this._ranges = {
[this.hass.localize("ui.panel.history.ranges.today")]: [today, todayEnd], [this.hass.localize("ui.components.date-range-picker.ranges.today")]: [
[this.hass.localize("ui.panel.history.ranges.yesterday")]: [ startOfToday(),
yesterday, endOfToday(),
yesterdayEnd,
],
[this.hass.localize("ui.panel.history.ranges.this_week")]: [
thisWeekStart,
thisWeekEnd,
],
[this.hass.localize("ui.panel.history.ranges.last_week")]: [
lastWeekStart,
lastWeekEnd,
], ],
[this.hass.localize("ui.components.date-range-picker.ranges.yesterday")]:
[startOfYesterday(), endOfYesterday()],
[this.hass.localize("ui.components.date-range-picker.ranges.this_week")]:
[weekStart, weekEnd],
[this.hass.localize("ui.components.date-range-picker.ranges.last_week")]:
[addDays(weekStart, -7), addDays(weekEnd, -7)],
}; };
} }

View File

@ -4,6 +4,15 @@ import "@polymer/app-layout/app-header/app-header";
import "@polymer/app-layout/app-toolbar/app-toolbar"; import "@polymer/app-layout/app-toolbar/app-toolbar";
import { css, html, LitElement, PropertyValues } from "lit"; import { css, html, LitElement, PropertyValues } from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import {
addDays,
endOfToday,
endOfWeek,
endOfYesterday,
startOfToday,
startOfWeek,
startOfYesterday,
} from "date-fns";
import { isComponentLoaded } from "../../common/config/is_component_loaded"; import { isComponentLoaded } from "../../common/config/is_component_loaded";
import { computeStateDomain } from "../../common/entity/compute_state_domain"; import { computeStateDomain } from "../../common/entity/compute_state_domain";
import { computeRTL } from "../../common/util/compute_rtl"; import { computeRTL } from "../../common/util/compute_rtl";
@ -55,17 +64,11 @@ export class HaPanelLogbook extends LitElement {
super(); super();
const start = new Date(); const start = new Date();
start.setHours(start.getHours() - 2); start.setHours(start.getHours() - 2, 0, 0, 0);
start.setMinutes(0);
start.setSeconds(0);
start.setMilliseconds(0);
this._startDate = start; this._startDate = start;
const end = new Date(); const end = new Date();
end.setHours(end.getHours() + 1); end.setHours(end.getHours() + 1, 0, 0, 0);
end.setMinutes(0);
end.setSeconds(0);
end.setMilliseconds(0);
this._endDate = end; this._endDate = end;
} }
@ -140,42 +143,20 @@ export class HaPanelLogbook extends LitElement {
this._fetchUserPromise = this._fetchUserNames(); this._fetchUserPromise = this._fetchUserNames();
const today = new Date(); const today = new Date();
today.setHours(0, 0, 0, 0); const weekStart = startOfWeek(today);
const todayEnd = new Date(today); const weekEnd = endOfWeek(today);
todayEnd.setDate(todayEnd.getDate() + 1);
todayEnd.setMilliseconds(todayEnd.getMilliseconds() - 1);
const yesterday = new Date(today);
yesterday.setDate(today.getDate() - 1);
const yesterdayEnd = new Date(today);
yesterdayEnd.setMilliseconds(yesterdayEnd.getMilliseconds() - 1);
const thisWeekStart = new Date(today);
thisWeekStart.setDate(today.getDate() - today.getDay());
const thisWeekEnd = new Date(thisWeekStart);
thisWeekEnd.setDate(thisWeekStart.getDate() + 7);
thisWeekEnd.setMilliseconds(thisWeekEnd.getMilliseconds() - 1);
const lastWeekStart = new Date(today);
lastWeekStart.setDate(today.getDate() - today.getDay() - 7);
const lastWeekEnd = new Date(lastWeekStart);
lastWeekEnd.setDate(lastWeekStart.getDate() + 7);
lastWeekEnd.setMilliseconds(lastWeekEnd.getMilliseconds() - 1);
this._ranges = { this._ranges = {
[this.hass.localize("ui.panel.logbook.ranges.today")]: [today, todayEnd], [this.hass.localize("ui.components.date-range-picker.ranges.today")]: [
[this.hass.localize("ui.panel.logbook.ranges.yesterday")]: [ startOfToday(),
yesterday, endOfToday(),
yesterdayEnd,
],
[this.hass.localize("ui.panel.logbook.ranges.this_week")]: [
thisWeekStart,
thisWeekEnd,
],
[this.hass.localize("ui.panel.logbook.ranges.last_week")]: [
lastWeekStart,
lastWeekEnd,
], ],
[this.hass.localize("ui.components.date-range-picker.ranges.yesterday")]:
[startOfYesterday(), endOfYesterday()],
[this.hass.localize("ui.components.date-range-picker.ranges.this_week")]:
[weekStart, weekEnd],
[this.hass.localize("ui.components.date-range-picker.ranges.last_week")]:
[addDays(weekStart, -7), addDays(weekEnd, -7)],
}; };
} }

View File

@ -1,19 +1,20 @@
import { UnsubscribeFunc } from "home-assistant-js-websocket";
import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit"; import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import { styleMap } from "lit/directives/style-map"; import { styleMap } from "lit/directives/style-map";
import { round } from "../../../../common/number/round"; import { round } from "../../../../common/number/round";
import { subscribeOne } from "../../../../common/util/subscribe-one";
import "../../../../components/ha-card"; import "../../../../components/ha-card";
import "../../../../components/ha-gauge"; import "../../../../components/ha-gauge";
import { getConfigEntries } from "../../../../data/config_entries"; import {
import { energySourcesByType } from "../../../../data/energy"; EnergyData,
import { subscribeEntityRegistry } from "../../../../data/entity_registry"; energySourcesByType,
getEnergyDataCollection,
} from "../../../../data/energy";
import { import {
calculateStatisticsSumGrowth, calculateStatisticsSumGrowth,
calculateStatisticsSumGrowthWithPercentage, calculateStatisticsSumGrowthWithPercentage,
fetchStatistics,
Statistics,
} from "../../../../data/history"; } from "../../../../data/history";
import { SubscribeMixin } from "../../../../mixins/subscribe-mixin";
import type { HomeAssistant } from "../../../../types"; import type { HomeAssistant } from "../../../../types";
import { createEntityNotFoundWarning } from "../../components/hui-warning"; import { createEntityNotFoundWarning } from "../../components/hui-warning";
import type { LovelaceCard } from "../../types"; import type { LovelaceCard } from "../../types";
@ -21,14 +22,15 @@ import { severityMap } from "../hui-gauge-card";
import type { EnergyCarbonGaugeCardConfig } from "../types"; import type { EnergyCarbonGaugeCardConfig } from "../types";
@customElement("hui-energy-carbon-consumed-gauge-card") @customElement("hui-energy-carbon-consumed-gauge-card")
class HuiEnergyCarbonGaugeCard extends LitElement implements LovelaceCard { class HuiEnergyCarbonGaugeCard
extends SubscribeMixin(LitElement)
implements LovelaceCard
{
@property({ attribute: false }) public hass!: HomeAssistant; @property({ attribute: false }) public hass!: HomeAssistant;
@state() private _config?: EnergyCarbonGaugeCardConfig; @state() private _config?: EnergyCarbonGaugeCardConfig;
@state() private _stats?: Statistics; @state() private _data?: EnergyData;
@state() private _co2SignalEntity?: string | null;
public getCardSize(): number { public getCardSize(): number {
return 4; return 4;
@ -38,12 +40,12 @@ class HuiEnergyCarbonGaugeCard extends LitElement implements LovelaceCard {
this._config = config; this._config = config;
} }
public willUpdate(changedProps) { public hassSubscribe(): UnsubscribeFunc[] {
super.willUpdate(changedProps); return [
getEnergyDataCollection(this.hass).subscribe((data) => {
if (!this.hasUpdated) { this._data = data;
this._getStatistics(); }),
} ];
} }
protected render(): TemplateResult { protected render(): TemplateResult {
@ -51,58 +53,66 @@ class HuiEnergyCarbonGaugeCard extends LitElement implements LovelaceCard {
return html``; return html``;
} }
if (this._co2SignalEntity === null) { if (!this._data) {
return html``;
}
if (!this._stats || !this._co2SignalEntity) {
return html`Loading...`; return html`Loading...`;
} }
const co2State = this.hass.states[this._co2SignalEntity]; if (!this._data.co2SignalEntity) {
return html``;
}
const co2State = this.hass.states[this._data.co2SignalEntity];
if (!co2State) { if (!co2State) {
return html`<hui-warning> return html`<hui-warning>
${createEntityNotFoundWarning(this.hass, this._co2SignalEntity)} ${createEntityNotFoundWarning(this.hass, this._data.co2SignalEntity)}
</hui-warning>`; </hui-warning>`;
} }
const prefs = this._config!.prefs; const prefs = this._data.prefs;
const types = energySourcesByType(prefs); const types = energySourcesByType(prefs);
const totalGridConsumption = calculateStatisticsSumGrowth( const totalGridConsumption = calculateStatisticsSumGrowth(
this._stats, this._data.stats,
types.grid![0].flow_from.map((flow) => flow.stat_energy_from) types.grid![0].flow_from.map((flow) => flow.stat_energy_from)
); );
let value: number | undefined; let value: number | undefined;
if (this._co2SignalEntity in this._stats && totalGridConsumption) { if (totalGridConsumption === 0) {
value = 100;
}
if (
this._data.co2SignalEntity in this._data.stats &&
totalGridConsumption
) {
const highCarbonEnergy = const highCarbonEnergy =
calculateStatisticsSumGrowthWithPercentage( calculateStatisticsSumGrowthWithPercentage(
this._stats[this._co2SignalEntity], this._data.stats[this._data.co2SignalEntity],
types types
.grid![0].flow_from.map( .grid![0].flow_from.map(
(flow) => this._stats![flow.stat_energy_from] (flow) => this._data!.stats![flow.stat_energy_from]
) )
.filter(Boolean) .filter(Boolean)
) || 0; ) || 0;
const totalSolarProduction = types.solar const totalSolarProduction = types.solar
? calculateStatisticsSumGrowth( ? calculateStatisticsSumGrowth(
this._stats, this._data.stats,
types.solar.map((source) => source.stat_energy_from) types.solar.map((source) => source.stat_energy_from)
) ) || 0
: undefined; : 0;
const totalGridReturned = calculateStatisticsSumGrowth( const totalGridReturned =
this._stats, calculateStatisticsSumGrowth(
types.grid![0].flow_to.map((flow) => flow.stat_energy_to) this._data.stats,
); types.grid![0].flow_to.map((flow) => flow.stat_energy_to)
) || 0;
const totalEnergyConsumed = const totalEnergyConsumed =
totalGridConsumption + totalGridConsumption +
Math.max(0, (totalSolarProduction || 0) - (totalGridReturned || 0)); Math.max(0, totalSolarProduction - totalGridReturned);
value = round((1 - highCarbonEnergy / totalEnergyConsumed) * 100); value = round((1 - highCarbonEnergy / totalEnergyConsumed) * 100);
} }
@ -139,78 +149,6 @@ class HuiEnergyCarbonGaugeCard extends LitElement implements LovelaceCard {
return severityMap.normal; return severityMap.normal;
} }
private async _fetchCO2SignalEntity() {
const [configEntries, entityRegistryEntries] = await Promise.all([
getConfigEntries(this.hass),
subscribeOne(this.hass.connection, subscribeEntityRegistry),
]);
const co2ConfigEntry = configEntries.find(
(entry) => entry.domain === "co2signal"
);
if (!co2ConfigEntry) {
this._co2SignalEntity = null;
return;
}
for (const entry of entityRegistryEntries) {
if (entry.config_entry_id !== co2ConfigEntry.entry_id) {
continue;
}
// The integration offers 2 entities. We want the % one.
const co2State = this.hass.states[entry.entity_id];
if (!co2State || co2State.attributes.unit_of_measurement !== "%") {
continue;
}
this._co2SignalEntity = co2State.entity_id;
return;
}
this._co2SignalEntity = null;
}
private async _getStatistics(): Promise<void> {
await this._fetchCO2SignalEntity();
if (this._co2SignalEntity === null) {
return;
}
const startDate = new Date();
startDate.setHours(0, 0, 0, 0);
startDate.setTime(startDate.getTime() - 1000 * 60 * 60); // subtract 1 hour to get a startpoint
const statistics: string[] = [];
const prefs = this._config!.prefs;
for (const source of prefs.energy_sources) {
if (source.type === "solar") {
statistics.push(source.stat_energy_from);
continue;
}
// grid source
for (const flowFrom of source.flow_from) {
statistics.push(flowFrom.stat_energy_from);
}
for (const flowTo of source.flow_to) {
statistics.push(flowTo.stat_energy_to);
}
}
if (this._co2SignalEntity) {
statistics.push(this._co2SignalEntity);
}
this._stats = await fetchStatistics(
this.hass!,
startDate,
undefined,
statistics
);
}
static get styles(): CSSResultGroup { static get styles(): CSSResultGroup {
return css` return css`
ha-card { ha-card {

View File

@ -0,0 +1,120 @@
import {
startOfWeek,
endOfWeek,
startOfToday,
endOfToday,
startOfYesterday,
endOfYesterday,
addDays,
} from "date-fns";
import { UnsubscribeFunc } from "home-assistant-js-websocket";
import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit";
import { customElement, property, state } from "lit/decorators";
import "../../../../components/chart/ha-chart-base";
import "../../../../components/ha-card";
import "../../../../components/ha-date-range-picker";
import type { DateRangePickerRanges } from "../../../../components/ha-date-range-picker";
import { EnergyData, getEnergyDataCollection } from "../../../../data/energy";
import { SubscribeMixin } from "../../../../mixins/subscribe-mixin";
import { HomeAssistant } from "../../../../types";
import { LovelaceCard } from "../../types";
import { EnergyDevicesGraphCardConfig } from "../types";
@customElement("hui-energy-date-selection-card")
export class HuiEnergyDateSelectionCard
extends SubscribeMixin(LitElement)
implements LovelaceCard
{
@property({ attribute: false }) public hass!: HomeAssistant;
@state() private _config?: EnergyDevicesGraphCardConfig;
@state() private _ranges?: DateRangePickerRanges;
@state() _startDate?: Date;
@state() _endDate?: Date;
public hassSubscribe(): UnsubscribeFunc[] {
return [
getEnergyDataCollection(this.hass).subscribe((data) =>
this._updateDates(data)
),
];
}
public willUpdate() {
if (!this.hasUpdated) {
const today = new Date();
const weekStart = startOfWeek(today);
const weekEnd = endOfWeek(today);
this._ranges = {
[this.hass.localize("ui.components.date-range-picker.ranges.today")]: [
startOfToday(),
endOfToday(),
],
[this.hass.localize(
"ui.components.date-range-picker.ranges.yesterday"
)]: [startOfYesterday(), endOfYesterday()],
[this.hass.localize(
"ui.components.date-range-picker.ranges.this_week"
)]: [weekStart, weekEnd],
[this.hass.localize(
"ui.components.date-range-picker.ranges.last_week"
)]: [addDays(weekStart, -7), addDays(weekEnd, -7)],
};
}
}
public getCardSize(): Promise<number> | number {
return 1;
}
public setConfig(config: EnergyDevicesGraphCardConfig): void {
this._config = config;
}
protected render(): TemplateResult {
if (!this.hass || !this._config || !this._startDate) {
return html``;
}
return html`
<ha-date-range-picker
.hass=${this.hass}
.startDate=${this._startDate}
.endDate=${this._endDate!}
.ranges=${this._ranges}
@change=${this._dateRangeChanged}
></ha-date-range-picker>
`;
}
private _updateDates(energyData: EnergyData): void {
this._startDate = energyData.start;
this._endDate = energyData.end || endOfToday();
}
private _dateRangeChanged(ev: CustomEvent): void {
if (
ev.detail.startDate.getTime() === this._startDate!.getTime() &&
ev.detail.endDate.getTime() === this._endDate!.getTime()
) {
return;
}
const energyCollection = getEnergyDataCollection(this.hass);
energyCollection.setPeriod(ev.detail.startDate, ev.detail.endDate);
energyCollection.refresh();
}
static get styles(): CSSResultGroup {
return css``;
}
}
declare global {
interface HTMLElementTagNameMap {
"hui-energy-date-selection-card": HuiEnergyDateSelectionCard;
}
}

View File

@ -4,16 +4,12 @@ import {
ChartOptions, ChartOptions,
ParsedDataType, ParsedDataType,
} from "chart.js"; } from "chart.js";
import { import { addHours } from "date-fns";
css, import { UnsubscribeFunc } from "home-assistant-js-websocket";
CSSResultGroup, import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit";
html,
LitElement,
PropertyValues,
TemplateResult,
} from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import { classMap } from "lit/directives/class-map"; import { classMap } from "lit/directives/class-map";
import memoizeOne from "memoize-one";
import { getColorByIndex } from "../../../../common/color/colors"; import { getColorByIndex } from "../../../../common/color/colors";
import { computeStateName } from "../../../../common/entity/compute_state_name"; import { computeStateName } from "../../../../common/entity/compute_state_name";
import { import {
@ -22,18 +18,21 @@ import {
} from "../../../../common/string/format_number"; } from "../../../../common/string/format_number";
import "../../../../components/chart/ha-chart-base"; import "../../../../components/chart/ha-chart-base";
import "../../../../components/ha-card"; import "../../../../components/ha-card";
import { EnergyData, getEnergyDataCollection } from "../../../../data/energy";
import { import {
calculateStatisticSumGrowth, calculateStatisticSumGrowth,
fetchStatistics, fetchStatistics,
Statistics, Statistics,
} from "../../../../data/history"; } from "../../../../data/history";
import { FrontendLocaleData } from "../../../../data/translation";
import { SubscribeMixin } from "../../../../mixins/subscribe-mixin";
import { HomeAssistant } from "../../../../types"; import { HomeAssistant } from "../../../../types";
import { LovelaceCard } from "../../types"; import { LovelaceCard } from "../../types";
import { EnergyDevicesGraphCardConfig } from "../types"; import { EnergyDevicesGraphCardConfig } from "../types";
@customElement("hui-energy-devices-graph-card") @customElement("hui-energy-devices-graph-card")
export class HuiEnergyDevicesGraphCard export class HuiEnergyDevicesGraphCard
extends LitElement extends SubscribeMixin(LitElement)
implements LovelaceCard implements LovelaceCard
{ {
@property({ attribute: false }) public hass!: HomeAssistant; @property({ attribute: false }) public hass!: HomeAssistant;
@ -42,34 +41,14 @@ export class HuiEnergyDevicesGraphCard
@state() private _data?: Statistics; @state() private _data?: Statistics;
@state() private _chartData?: ChartData; @state() private _chartData: ChartData = { datasets: [] };
@state() private _chartOptions?: ChartOptions; public hassSubscribe(): UnsubscribeFunc[] {
return [
private _fetching = false; getEnergyDataCollection(this.hass).subscribe((data) =>
this._getStatistics(data)
private _interval?: number; ),
];
public disconnectedCallback() {
super.disconnectedCallback();
if (this._interval) {
clearInterval(this._interval);
this._interval = undefined;
}
}
public connectedCallback() {
super.connectedCallback();
if (!this.hasUpdated) {
return;
}
this._getStatistics();
// statistics are created every hour
clearInterval(this._interval);
this._interval = window.setInterval(
() => this._getStatistics(),
1000 * 60 * 60
);
} }
public getCardSize(): Promise<number> | number { public getCardSize(): Promise<number> | number {
@ -80,30 +59,6 @@ export class HuiEnergyDevicesGraphCard
this._config = config; this._config = config;
} }
public willUpdate(changedProps: PropertyValues) {
super.willUpdate(changedProps);
if (!this.hasUpdated) {
this._createOptions();
}
if (!this._config || !changedProps.has("_config")) {
return;
}
const oldConfig = changedProps.get("_config") as
| EnergyDevicesGraphCardConfig
| undefined;
if (oldConfig !== this._config) {
this._getStatistics();
// statistics are created every hour
clearInterval(this._interval);
this._interval = window.setInterval(
() => this._getStatistics(),
1000 * 60 * 60
);
}
}
protected render(): TemplateResult { protected render(): TemplateResult {
if (!this.hass || !this._config) { if (!this.hass || !this._config) {
return html``; return html``;
@ -119,25 +74,30 @@ export class HuiEnergyDevicesGraphCard
"has-header": !!this._config.title, "has-header": !!this._config.title,
})}" })}"
> >
${this._chartData <ha-chart-base
? html`<ha-chart-base .data=${this._chartData}
.data=${this._chartData} .options=${this._createOptions(this.hass.locale)}
.options=${this._chartOptions} .height=${(this._chartData?.datasets[0]?.data.length || 0) * 28 +
chart-type="bar" 50}
></ha-chart-base>` chart-type="bar"
: ""} ></ha-chart-base>
</div> </div>
</ha-card> </ha-card>
`; `;
} }
private _createOptions() { private _createOptions = memoizeOne(
this._chartOptions = { (locale: FrontendLocaleData): ChartOptions => ({
parsing: false, parsing: false,
animation: false, animation: false,
responsive: true, responsive: true,
maintainAspectRatio: false,
indexAxis: "y", indexAxis: "y",
scales: { scales: {
y: {
type: "category",
ticks: { autoSkip: false },
},
x: { x: {
title: { title: {
display: true, display: true,
@ -153,37 +113,25 @@ export class HuiEnergyDevicesGraphCard
label: (context) => label: (context) =>
`${context.dataset.label}: ${formatNumber( `${context.dataset.label}: ${formatNumber(
context.parsed.x, context.parsed.x,
this.hass.locale locale
)} kWh`, )} kWh`,
}, },
}, },
}, },
// @ts-expect-error // @ts-expect-error
locale: numberFormatToLocale(this.hass.locale), locale: numberFormatToLocale(this.hass.locale),
}; })
} );
private async _getStatistics(): Promise<void> { private async _getStatistics(energyData: EnergyData): Promise<void> {
if (this._fetching) { this._data = await fetchStatistics(
return; this.hass,
} addHours(energyData.start, -1),
const startDate = new Date(); energyData.end,
startDate.setHours(0, 0, 0, 0); energyData.prefs.device_consumption.map(
startDate.setTime(startDate.getTime() - 1000 * 60 * 60); // subtract 1 hour to get a startpoint (device) => device.stat_consumption
)
this._fetching = true; );
const prefs = this._config!.prefs;
try {
this._data = await fetchStatistics(
this.hass!,
startDate,
undefined,
prefs.device_consumption.map((device) => device.stat_consumption)
);
} finally {
this._fetching = false;
}
const statisticsData = Object.values(this._data!); const statisticsData = Object.values(this._data!);
let endTime: Date; let endTime: Date;
@ -210,11 +158,12 @@ export class HuiEnergyDevicesGraphCard
borderColor, borderColor,
backgroundColor, backgroundColor,
data, data,
barThickness: 20,
}, },
]; ];
for (let idx = 0; idx < prefs.device_consumption.length; idx++) { for (let idx = 0; idx < energyData.prefs.device_consumption.length; idx++) {
const device = prefs.device_consumption[idx]; const device = energyData.prefs.device_consumption[idx];
const entity = this.hass.states[device.stat_consumption]; const entity = this.hass.states[device.stat_consumption];
const label = entity ? computeStateName(entity) : device.stat_consumption; const label = entity ? computeStateName(entity) : device.stat_consumption;
@ -225,12 +174,14 @@ export class HuiEnergyDevicesGraphCard
const value = const value =
device.stat_consumption in this._data device.stat_consumption in this._data
? calculateStatisticSumGrowth(this._data[device.stat_consumption]) ? calculateStatisticSumGrowth(this._data[device.stat_consumption]) ||
0
: 0; : 0;
data.push({ data.push({
// @ts-expect-error // @ts-expect-error
y: label, y: label,
x: value || 0, x: value,
}); });
} }
@ -243,9 +194,6 @@ export class HuiEnergyDevicesGraphCard
static get styles(): CSSResultGroup { static get styles(): CSSResultGroup {
return css` return css`
ha-card {
height: 100%;
}
.card-header { .card-header {
padding-bottom: 0; padding-bottom: 0;
} }
@ -255,6 +203,9 @@ export class HuiEnergyDevicesGraphCard
.has-header { .has-header {
padding-top: 0; padding-top: 0;
} }
ha-chart-base {
--chart-max-height: none;
}
`; `;
} }
} }

View File

@ -6,23 +6,24 @@ import {
mdiSolarPower, mdiSolarPower,
mdiTransmissionTower, mdiTransmissionTower,
} from "@mdi/js"; } from "@mdi/js";
import { UnsubscribeFunc } from "home-assistant-js-websocket";
import { css, html, LitElement, svg } from "lit"; import { css, html, LitElement, svg } from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import { classMap } from "lit/directives/class-map"; import { classMap } from "lit/directives/class-map";
import { ifDefined } from "lit/directives/if-defined"; import { ifDefined } from "lit/directives/if-defined";
import { formatNumber } from "../../../../common/string/format_number"; import { formatNumber } from "../../../../common/string/format_number";
import { subscribeOne } from "../../../../common/util/subscribe-one";
import "../../../../components/ha-card"; import "../../../../components/ha-card";
import "../../../../components/ha-svg-icon"; import "../../../../components/ha-svg-icon";
import { getConfigEntries } from "../../../../data/config_entries"; import {
import { energySourcesByType } from "../../../../data/energy"; EnergyData,
import { subscribeEntityRegistry } from "../../../../data/entity_registry"; energySourcesByType,
getEnergyDataCollection,
} from "../../../../data/energy";
import { import {
calculateStatisticsSumGrowth, calculateStatisticsSumGrowth,
calculateStatisticsSumGrowthWithPercentage, calculateStatisticsSumGrowthWithPercentage,
fetchStatistics,
Statistics,
} from "../../../../data/history"; } from "../../../../data/history";
import { SubscribeMixin } from "../../../../mixins/subscribe-mixin";
import { HomeAssistant } from "../../../../types"; import { HomeAssistant } from "../../../../types";
import { LovelaceCard } from "../../types"; import { LovelaceCard } from "../../types";
import { EnergyDistributionCardConfig } from "../types"; import { EnergyDistributionCardConfig } from "../types";
@ -30,34 +31,30 @@ import { EnergyDistributionCardConfig } from "../types";
const CIRCLE_CIRCUMFERENCE = 238.76104; const CIRCLE_CIRCUMFERENCE = 238.76104;
@customElement("hui-energy-distribution-card") @customElement("hui-energy-distribution-card")
class HuiEnergyDistrubutionCard extends LitElement implements LovelaceCard { class HuiEnergyDistrubutionCard
extends SubscribeMixin(LitElement)
implements LovelaceCard
{
@property({ attribute: false }) public hass!: HomeAssistant; @property({ attribute: false }) public hass!: HomeAssistant;
@state() private _config?: EnergyDistributionCardConfig; @state() private _config?: EnergyDistributionCardConfig;
@state() private _stats?: Statistics; @state() private _data?: EnergyData;
@state() private _co2SignalEntity?: string;
private _fetching = false;
public setConfig(config: EnergyDistributionCardConfig): void { public setConfig(config: EnergyDistributionCardConfig): void {
this._config = config; this._config = config;
} }
public getCardSize(): Promise<number> | number { public hassSubscribe(): UnsubscribeFunc[] {
return 3; return [
getEnergyDataCollection(this.hass).subscribe((data) => {
this._data = data;
}),
];
} }
public willUpdate(changedProps) { public getCardSize(): Promise<number> | number {
super.willUpdate(changedProps); return 3;
if (!this._fetching && !this._stats) {
this._fetching = true;
this._getStatistics().then(() => {
this._fetching = false;
});
}
} }
protected render() { protected render() {
@ -65,11 +62,11 @@ class HuiEnergyDistrubutionCard extends LitElement implements LovelaceCard {
return html``; return html``;
} }
if (!this._stats) { if (!this._data) {
return html`Loading…`; return html`Loading…`;
} }
const prefs = this._config!.prefs; const prefs = this._data.prefs;
const types = energySourcesByType(prefs); const types = energySourcesByType(prefs);
// The strategy only includes this card if we have a grid. // The strategy only includes this card if we have a grid.
@ -80,7 +77,7 @@ class HuiEnergyDistrubutionCard extends LitElement implements LovelaceCard {
const totalGridConsumption = const totalGridConsumption =
calculateStatisticsSumGrowth( calculateStatisticsSumGrowth(
this._stats, this._data.stats,
types.grid![0].flow_from.map((flow) => flow.stat_energy_from) types.grid![0].flow_from.map((flow) => flow.stat_energy_from)
) ?? 0; ) ?? 0;
@ -89,7 +86,7 @@ class HuiEnergyDistrubutionCard extends LitElement implements LovelaceCard {
if (hasSolarProduction) { if (hasSolarProduction) {
totalSolarProduction = totalSolarProduction =
calculateStatisticsSumGrowth( calculateStatisticsSumGrowth(
this._stats, this._data.stats,
types.solar!.map((source) => source.stat_energy_from) types.solar!.map((source) => source.stat_energy_from)
) || 0; ) || 0;
} }
@ -99,7 +96,7 @@ class HuiEnergyDistrubutionCard extends LitElement implements LovelaceCard {
if (hasReturnToGrid) { if (hasReturnToGrid) {
productionReturnedToGrid = productionReturnedToGrid =
calculateStatisticsSumGrowth( calculateStatisticsSumGrowth(
this._stats, this._data.stats,
types.grid![0].flow_to.map((flow) => flow.stat_energy_to) types.grid![0].flow_to.map((flow) => flow.stat_energy_to)
) || 0; ) || 0;
} }
@ -124,16 +121,21 @@ class HuiEnergyDistrubutionCard extends LitElement implements LovelaceCard {
let electricityMapUrl: string | undefined; let electricityMapUrl: string | undefined;
if (this._co2SignalEntity && this._co2SignalEntity in this._stats) { if (
this._data.co2SignalEntity &&
this._data.co2SignalEntity in this._data.stats
) {
// Calculate high carbon consumption // Calculate high carbon consumption
const highCarbonConsumption = calculateStatisticsSumGrowthWithPercentage( const highCarbonConsumption = calculateStatisticsSumGrowthWithPercentage(
this._stats[this._co2SignalEntity], this._data.stats[this._data.co2SignalEntity],
types types
.grid![0].flow_from.map((flow) => this._stats![flow.stat_energy_from]) .grid![0].flow_from.map(
(flow) => this._data!.stats[flow.stat_energy_from]
)
.filter(Boolean) .filter(Boolean)
); );
const co2State = this.hass.states[this._co2SignalEntity]; const co2State = this.hass.states[this._data.co2SignalEntity];
if (co2State) { if (co2State) {
electricityMapUrl = `https://www.electricitymap.org/zone/${co2State.attributes.country_code}`; electricityMapUrl = `https://www.electricitymap.org/zone/${co2State.attributes.country_code}`;
@ -401,69 +403,6 @@ class HuiEnergyDistrubutionCard extends LitElement implements LovelaceCard {
`; `;
} }
private async _getStatistics(): Promise<void> {
const [configEntries, entityRegistryEntries] = await Promise.all([
getConfigEntries(this.hass),
subscribeOne(this.hass.connection, subscribeEntityRegistry),
]);
const co2ConfigEntry = configEntries.find(
(entry) => entry.domain === "co2signal"
);
this._co2SignalEntity = undefined;
if (co2ConfigEntry) {
for (const entry of entityRegistryEntries) {
if (entry.config_entry_id !== co2ConfigEntry.entry_id) {
continue;
}
// The integration offers 2 entities. We want the % one.
const co2State = this.hass.states[entry.entity_id];
if (!co2State || co2State.attributes.unit_of_measurement !== "%") {
continue;
}
this._co2SignalEntity = co2State.entity_id;
break;
}
}
const startDate = new Date();
startDate.setHours(0, 0, 0, 0);
startDate.setTime(startDate.getTime() - 1000 * 60 * 60); // subtract 1 hour to get a startpoint
const statistics: string[] = [];
if (this._co2SignalEntity !== undefined) {
statistics.push(this._co2SignalEntity);
}
const prefs = this._config!.prefs;
for (const source of prefs.energy_sources) {
if (source.type === "solar") {
statistics.push(source.stat_energy_from);
continue;
}
// grid source
for (const flowFrom of source.flow_from) {
statistics.push(flowFrom.stat_energy_from);
}
for (const flowTo of source.flow_to) {
statistics.push(flowTo.stat_energy_to);
}
}
this._stats = await fetchStatistics(
this.hass!,
startDate,
undefined,
statistics
);
}
static styles = css` static styles = css`
:host { :host {
--mdc-icon-size: 24px; --mdc-icon-size: 24px;

View File

@ -1,15 +1,17 @@
import { UnsubscribeFunc } from "home-assistant-js-websocket";
import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit"; import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import { formatNumber } from "../../../../common/string/format_number"; import { formatNumber } from "../../../../common/string/format_number";
import "../../../../components/ha-card"; import "../../../../components/ha-card";
import "../../../../components/ha-gauge"; import "../../../../components/ha-gauge";
import type { LevelDefinition } from "../../../../components/ha-gauge"; import type { LevelDefinition } from "../../../../components/ha-gauge";
import { GridSourceTypeEnergyPreference } from "../../../../data/energy";
import { import {
calculateStatisticsSumGrowth, EnergyData,
fetchStatistics, getEnergyDataCollection,
Statistics, GridSourceTypeEnergyPreference,
} from "../../../../data/history"; } from "../../../../data/energy";
import { calculateStatisticsSumGrowth } from "../../../../data/history";
import { SubscribeMixin } from "../../../../mixins/subscribe-mixin";
import type { HomeAssistant } from "../../../../types"; import type { HomeAssistant } from "../../../../types";
import type { LovelaceCard } from "../../types"; import type { LovelaceCard } from "../../types";
import type { EnergyGridGaugeCardConfig } from "../types"; import type { EnergyGridGaugeCardConfig } from "../types";
@ -21,12 +23,23 @@ const LEVELS: LevelDefinition[] = [
]; ];
@customElement("hui-energy-grid-neutrality-gauge-card") @customElement("hui-energy-grid-neutrality-gauge-card")
class HuiEnergyGridGaugeCard extends LitElement implements LovelaceCard { class HuiEnergyGridGaugeCard
extends SubscribeMixin(LitElement)
implements LovelaceCard
{
@property({ attribute: false }) public hass?: HomeAssistant; @property({ attribute: false }) public hass?: HomeAssistant;
@state() private _config?: EnergyGridGaugeCardConfig; @state() private _config?: EnergyGridGaugeCardConfig;
@state() private _stats?: Statistics; @state() private _data?: EnergyData;
public hassSubscribe(): UnsubscribeFunc[] {
return [
getEnergyDataCollection(this.hass!).subscribe((data) => {
this._data = data;
}),
];
}
public getCardSize(): number { public getCardSize(): number {
return 4; return 4;
@ -36,24 +49,16 @@ class HuiEnergyGridGaugeCard extends LitElement implements LovelaceCard {
this._config = config; this._config = config;
} }
public willUpdate(changedProps) {
super.willUpdate(changedProps);
if (!this.hasUpdated) {
this._getStatistics();
}
}
protected render(): TemplateResult { protected render(): TemplateResult {
if (!this._config || !this.hass) { if (!this._config || !this.hass) {
return html``; return html``;
} }
if (!this._stats) { if (!this._data) {
return html`Loading...`; return html`Loading...`;
} }
const prefs = this._config!.prefs; const prefs = this._data.prefs;
const gridSource = prefs.energy_sources.find( const gridSource = prefs.energy_sources.find(
(src) => src.type === "grid" (src) => src.type === "grid"
) as GridSourceTypeEnergyPreference | undefined; ) as GridSourceTypeEnergyPreference | undefined;
@ -65,12 +70,12 @@ class HuiEnergyGridGaugeCard extends LitElement implements LovelaceCard {
} }
const consumedFromGrid = calculateStatisticsSumGrowth( const consumedFromGrid = calculateStatisticsSumGrowth(
this._stats, this._data.stats,
gridSource.flow_from.map((flow) => flow.stat_energy_from) gridSource.flow_from.map((flow) => flow.stat_energy_from)
); );
const returnedToGrid = calculateStatisticsSumGrowth( const returnedToGrid = calculateStatisticsSumGrowth(
this._stats, this._data.stats,
gridSource.flow_to.map((flow) => flow.stat_energy_to) gridSource.flow_to.map((flow) => flow.stat_energy_to)
); );
@ -111,35 +116,6 @@ class HuiEnergyGridGaugeCard extends LitElement implements LovelaceCard {
`; `;
} }
private async _getStatistics(): Promise<void> {
const startDate = new Date();
startDate.setHours(0, 0, 0, 0);
startDate.setTime(startDate.getTime() - 1000 * 60 * 60); // subtract 1 hour to get a startpoint
const statistics: string[] = [];
const prefs = this._config!.prefs;
for (const source of prefs.energy_sources) {
if (source.type === "solar") {
continue;
}
// grid source
for (const flowFrom of source.flow_from) {
statistics.push(flowFrom.stat_energy_from);
}
for (const flowTo of source.flow_to) {
statistics.push(flowTo.stat_energy_to);
}
}
this._stats = await fetchStatistics(
this.hass!,
startDate,
undefined,
statistics
);
}
static get styles(): CSSResultGroup { static get styles(): CSSResultGroup {
return css` return css`
ha-card { ha-card {

View File

@ -1,26 +1,39 @@
import { UnsubscribeFunc } from "home-assistant-js-websocket";
import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit"; import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import { styleMap } from "lit/directives/style-map"; import { styleMap } from "lit/directives/style-map";
import "../../../../components/ha-card"; import "../../../../components/ha-card";
import "../../../../components/ha-gauge"; import "../../../../components/ha-gauge";
import { energySourcesByType } from "../../../../data/energy";
import { import {
calculateStatisticsSumGrowth, EnergyData,
fetchStatistics, energySourcesByType,
Statistics, getEnergyDataCollection,
} from "../../../../data/history"; } from "../../../../data/energy";
import { calculateStatisticsSumGrowth } from "../../../../data/history";
import { SubscribeMixin } from "../../../../mixins/subscribe-mixin";
import type { HomeAssistant } from "../../../../types"; import type { HomeAssistant } from "../../../../types";
import type { LovelaceCard } from "../../types"; import type { LovelaceCard } from "../../types";
import { severityMap } from "../hui-gauge-card"; import { severityMap } from "../hui-gauge-card";
import type { EnergySolarGaugeCardConfig } from "../types"; import type { EnergySolarGaugeCardConfig } from "../types";
@customElement("hui-energy-solar-consumed-gauge-card") @customElement("hui-energy-solar-consumed-gauge-card")
class HuiEnergySolarGaugeCard extends LitElement implements LovelaceCard { class HuiEnergySolarGaugeCard
extends SubscribeMixin(LitElement)
implements LovelaceCard
{
@property({ attribute: false }) public hass?: HomeAssistant; @property({ attribute: false }) public hass?: HomeAssistant;
@state() private _config?: EnergySolarGaugeCardConfig; @state() private _config?: EnergySolarGaugeCardConfig;
@state() private _stats?: Statistics; @state() private _data?: EnergyData;
public hassSubscribe(): UnsubscribeFunc[] {
return [
getEnergyDataCollection(this.hass!).subscribe((data) => {
this._data = data;
}),
];
}
public getCardSize(): number { public getCardSize(): number {
return 4; return 4;
@ -30,33 +43,29 @@ class HuiEnergySolarGaugeCard extends LitElement implements LovelaceCard {
this._config = config; this._config = config;
} }
public willUpdate(changedProps) {
super.willUpdate(changedProps);
if (!this.hasUpdated) {
this._getStatistics();
}
}
protected render(): TemplateResult { protected render(): TemplateResult {
if (!this._config || !this.hass) { if (!this._config || !this.hass) {
return html``; return html``;
} }
if (!this._stats) { if (!this._data) {
return html`Loading...`; return html`Loading...`;
} }
const prefs = this._config!.prefs; const prefs = this._data.prefs;
const types = energySourcesByType(prefs); const types = energySourcesByType(prefs);
if (!types.solar) {
return html``;
}
const totalSolarProduction = calculateStatisticsSumGrowth( const totalSolarProduction = calculateStatisticsSumGrowth(
this._stats, this._data.stats,
types.solar!.map((source) => source.stat_energy_from) types.solar.map((source) => source.stat_energy_from)
); );
const productionReturnedToGrid = calculateStatisticsSumGrowth( const productionReturnedToGrid = calculateStatisticsSumGrowth(
this._stats, this._data.stats,
types.grid![0].flow_to.map((flow) => flow.stat_energy_to) types.grid![0].flow_to.map((flow) => flow.stat_energy_to)
); );
@ -101,36 +110,6 @@ class HuiEnergySolarGaugeCard extends LitElement implements LovelaceCard {
return severityMap.normal; return severityMap.normal;
} }
private async _getStatistics(): Promise<void> {
const startDate = new Date();
startDate.setHours(0, 0, 0, 0);
startDate.setTime(startDate.getTime() - 1000 * 60 * 60); // subtract 1 hour to get a startpoint
const statistics: string[] = [];
const prefs = this._config!.prefs;
for (const source of prefs.energy_sources) {
if (source.type === "solar") {
statistics.push(source.stat_energy_from);
continue;
}
// grid source
for (const flowFrom of source.flow_from) {
statistics.push(flowFrom.stat_energy_from);
}
for (const flowTo of source.flow_to) {
statistics.push(flowTo.stat_energy_to);
}
}
this._stats = await fetchStatistics(
this.hass!,
startDate,
undefined,
statistics
);
}
static get styles(): CSSResultGroup { static get styles(): CSSResultGroup {
return css` return css`
ha-card { ha-card {

View File

@ -1,19 +1,14 @@
import { import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit";
css,
CSSResultGroup,
html,
LitElement,
PropertyValues,
TemplateResult,
} from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import { UnsubscribeFunc } from "home-assistant-js-websocket";
import memoizeOne from "memoize-one";
import { classMap } from "lit/directives/class-map"; import { classMap } from "lit/directives/class-map";
import "../../../../components/ha-card"; import "../../../../components/ha-card";
import { ChartData, ChartDataset, ChartOptions } from "chart.js"; import { ChartData, ChartDataset, ChartOptions } from "chart.js";
import { endOfToday, startOfToday } from "date-fns";
import { HomeAssistant } from "../../../../types"; import { HomeAssistant } from "../../../../types";
import { LovelaceCard } from "../../types"; import { LovelaceCard } from "../../types";
import { EnergySolarGraphCardConfig } from "../types"; import { EnergySolarGraphCardConfig } from "../types";
import { fetchStatistics, Statistics } from "../../../../data/history";
import { import {
hex2rgb, hex2rgb,
lab2rgb, lab2rgb,
@ -21,7 +16,11 @@ import {
rgb2lab, rgb2lab,
} from "../../../../common/color/convert-color"; } from "../../../../common/color/convert-color";
import { labDarken } from "../../../../common/color/lab"; import { labDarken } from "../../../../common/color/lab";
import { SolarSourceTypeEnergyPreference } from "../../../../data/energy"; import {
EnergyData,
getEnergyDataCollection,
SolarSourceTypeEnergyPreference,
} from "../../../../data/energy";
import { isComponentLoaded } from "../../../../common/config/is_component_loaded"; import { isComponentLoaded } from "../../../../common/config/is_component_loaded";
import { import {
ForecastSolarForecast, ForecastSolarForecast,
@ -35,52 +34,34 @@ import {
formatNumber, formatNumber,
numberFormatToLocale, numberFormatToLocale,
} from "../../../../common/string/format_number"; } from "../../../../common/string/format_number";
import { SubscribeMixin } from "../../../../mixins/subscribe-mixin";
import { FrontendLocaleData } from "../../../../data/translation";
@customElement("hui-energy-solar-graph-card") @customElement("hui-energy-solar-graph-card")
export class HuiEnergySolarGraphCard export class HuiEnergySolarGraphCard
extends LitElement extends SubscribeMixin(LitElement)
implements LovelaceCard implements LovelaceCard
{ {
@property({ attribute: false }) public hass!: HomeAssistant; @property({ attribute: false }) public hass!: HomeAssistant;
@state() private _config?: EnergySolarGraphCardConfig; @state() private _config?: EnergySolarGraphCardConfig;
@state() private _data?: Statistics;
@state() private _chartData: ChartData = { @state() private _chartData: ChartData = {
datasets: [], datasets: [],
}; };
@state() private _forecasts?: Record<string, ForecastSolarForecast>; @state() private _forecasts?: Record<string, ForecastSolarForecast>;
@state() private _chartOptions?: ChartOptions; @state() private _start = startOfToday();
@state() private _showAllForecastData = false; @state() private _end = endOfToday();
private _fetching = false; public hassSubscribe(): UnsubscribeFunc[] {
return [
private _interval?: number; getEnergyDataCollection(this.hass).subscribe((data) =>
this._getStatistics(data)
public disconnectedCallback() { ),
super.disconnectedCallback(); ];
if (this._interval) {
clearInterval(this._interval);
this._interval = undefined;
}
}
public connectedCallback() {
super.connectedCallback();
if (!this.hasUpdated) {
return;
}
this._getStatistics();
// statistics are created every hour
clearInterval(this._interval);
this._interval = window.setInterval(
() => this._getStatistics(),
1000 * 60 * 60
);
} }
public getCardSize(): Promise<number> | number { public getCardSize(): Promise<number> | number {
@ -91,30 +72,6 @@ export class HuiEnergySolarGraphCard
this._config = config; this._config = config;
} }
public willUpdate(changedProps: PropertyValues) {
super.willUpdate(changedProps);
if (!this.hasUpdated) {
this._createOptions();
}
if (!this._config || !changedProps.has("_config")) {
return;
}
const oldConfig = changedProps.get("_config") as
| EnergySolarGraphCardConfig
| undefined;
if (oldConfig !== this._config) {
this._getStatistics();
// statistics are created every hour
clearInterval(this._interval);
this._interval = window.setInterval(
() => this._getStatistics(),
1000 * 60 * 60
);
}
}
protected render(): TemplateResult { protected render(): TemplateResult {
if (!this.hass || !this._config) { if (!this.hass || !this._config) {
return html``; return html``;
@ -132,7 +89,11 @@ export class HuiEnergySolarGraphCard
> >
<ha-chart-base <ha-chart-base
.data=${this._chartData} .data=${this._chartData}
.options=${this._chartOptions} .options=${this._createOptions(
this._start,
this._end,
this.hass.locale
)}
chart-type="bar" chart-type="bar"
></ha-chart-base> ></ha-chart-base>
</div> </div>
@ -140,22 +101,18 @@ export class HuiEnergySolarGraphCard
`; `;
} }
private _createOptions() { private _createOptions = memoizeOne(
const startDate = new Date(); (start: Date, end: Date, locale: FrontendLocaleData): ChartOptions => ({
startDate.setHours(0, 0, 0, 0);
const startTime = startDate.getTime();
this._chartOptions = {
parsing: false, parsing: false,
animation: false, animation: false,
scales: { scales: {
x: { x: {
type: "time", type: "time",
suggestedMin: startTime, suggestedMin: start.getTime(),
suggestedMax: startTime + 24 * 60 * 60 * 1000, suggestedMax: end.getTime(),
adapters: { adapters: {
date: { date: {
locale: this.hass.locale, locale: locale,
}, },
}, },
ticks: { ticks: {
@ -193,7 +150,7 @@ export class HuiEnergySolarGraphCard
label: (context) => label: (context) =>
`${context.dataset.label}: ${formatNumber( `${context.dataset.label}: ${formatNumber(
context.parsed.y, context.parsed.y,
this.hass.locale locale
)} kWh`, )} kWh`,
}, },
}, },
@ -221,37 +178,16 @@ export class HuiEnergySolarGraphCard
}, },
}, },
// @ts-expect-error // @ts-expect-error
locale: numberFormatToLocale(this.hass.locale), locale: numberFormatToLocale(locale),
}; })
} );
private async _getStatistics(): Promise<void> {
if (this._fetching) {
return;
}
const startDate = new Date();
startDate.setHours(0, 0, 0, 0);
startDate.setTime(startDate.getTime() - 1000 * 60 * 60); // subtract 1 hour to get a startpoint
this._fetching = true;
private async _getStatistics(energyData: EnergyData): Promise<void> {
const solarSources: SolarSourceTypeEnergyPreference[] = const solarSources: SolarSourceTypeEnergyPreference[] =
this._config!.prefs.energy_sources.filter( energyData.prefs.energy_sources.filter(
(source) => source.type === "solar" (source) => source.type === "solar"
) as SolarSourceTypeEnergyPreference[]; ) as SolarSourceTypeEnergyPreference[];
try {
this._data = await fetchStatistics(
this.hass!,
startDate,
undefined,
solarSources.map((source) => source.stat_energy_from)
);
} finally {
this._fetching = false;
}
if ( if (
isComponentLoaded(this.hass, "forecast_solar") && isComponentLoaded(this.hass, "forecast_solar") &&
solarSources.some((source) => source.config_entry_solar_forecast) solarSources.some((source) => source.config_entry_solar_forecast)
@ -259,16 +195,7 @@ export class HuiEnergySolarGraphCard
this._forecasts = await getForecastSolarForecasts(this.hass); this._forecasts = await getForecastSolarForecasts(this.hass);
} }
this._renderChart(); const statisticsData = Object.values(energyData.stats);
}
private _renderChart() {
const solarSources: SolarSourceTypeEnergyPreference[] =
this._config!.prefs.energy_sources.filter(
(source) => source.type === "solar"
) as SolarSourceTypeEnergyPreference[];
const statisticsData = Object.values(this._data!);
const datasets: ChartDataset<"bar">[] = []; const datasets: ChartDataset<"bar">[] = [];
let endTime: Date; let endTime: Date;
@ -311,8 +238,8 @@ export class HuiEnergySolarGraphCard
let prevStart: string | null = null; let prevStart: string | null = null;
// Process solar production data. // Process solar production data.
if (this._data![source.stat_energy_from]) { if (energyData.stats[source.stat_energy_from]) {
for (const point of this._data![source.stat_energy_from]) { for (const point of energyData.stats[source.stat_energy_from]) {
if (!point.sum) { if (!point.sum) {
continue; continue;
} }
@ -372,14 +299,12 @@ export class HuiEnergySolarGraphCard
}; };
data.push(forecast); data.push(forecast);
const today = new Date();
const tomorrow = new Date(today);
tomorrow.setDate(tomorrow.getDate() + 1);
tomorrow.setHours(0, 0, 0, 0);
for (const [date, value] of Object.entries(forecastsData)) { for (const [date, value] of Object.entries(forecastsData)) {
const dateObj = new Date(date); const dateObj = new Date(date);
if (dateObj > tomorrow && !this._showAllForecastData) { if (
dateObj < energyData.start ||
(energyData.end && dateObj > energyData.end)
) {
continue; continue;
} }
forecast.data.push({ forecast.data.push({
@ -394,6 +319,9 @@ export class HuiEnergySolarGraphCard
Array.prototype.push.apply(datasets, data); Array.prototype.push.apply(datasets, data);
}); });
this._start = energyData.start;
this._end = energyData.end || endOfToday();
this._chartData = { this._chartData = {
datasets, datasets,
}; };

View File

@ -1,5 +1,6 @@
// @ts-ignore // @ts-ignore
import dataTableStyles from "@material/data-table/dist/mdc.data-table.min.css"; import dataTableStyles from "@material/data-table/dist/mdc.data-table.min.css";
import { UnsubscribeFunc } from "home-assistant-js-websocket";
import { import {
css, css,
CSSResultGroup, CSSResultGroup,
@ -22,31 +23,34 @@ import { formatNumber } from "../../../../common/string/format_number";
import "../../../../components/chart/statistics-chart"; import "../../../../components/chart/statistics-chart";
import "../../../../components/ha-card"; import "../../../../components/ha-card";
import { import {
EnergyInfo, EnergyData,
energySourcesByType, energySourcesByType,
getEnergyInfo, getEnergyDataCollection,
} from "../../../../data/energy"; } from "../../../../data/energy";
import { import { calculateStatisticSumGrowth } from "../../../../data/history";
calculateStatisticSumGrowth, import { SubscribeMixin } from "../../../../mixins/subscribe-mixin";
fetchStatistics,
Statistics,
} from "../../../../data/history";
import { HomeAssistant } from "../../../../types"; import { HomeAssistant } from "../../../../types";
import { LovelaceCard } from "../../types"; import { LovelaceCard } from "../../types";
import { EnergySourcesTableCardConfig } from "../types"; import { EnergySourcesTableCardConfig } from "../types";
@customElement("hui-energy-sources-table-card") @customElement("hui-energy-sources-table-card")
export class HuiEnergySourcesTableCard export class HuiEnergySourcesTableCard
extends LitElement extends SubscribeMixin(LitElement)
implements LovelaceCard implements LovelaceCard
{ {
@property({ attribute: false }) public hass!: HomeAssistant; @property({ attribute: false }) public hass!: HomeAssistant;
@state() private _config?: EnergySourcesTableCardConfig; @state() private _config?: EnergySourcesTableCardConfig;
@state() private _stats?: Statistics; @state() private _data?: EnergyData;
@state() private _energyInfo?: EnergyInfo; public hassSubscribe(): UnsubscribeFunc[] {
return [
getEnergyDataCollection(this.hass).subscribe((data) => {
this._data = data;
}),
];
}
public getCardSize(): Promise<number> | number { public getCardSize(): Promise<number> | number {
return 3; return 3;
@ -56,18 +60,12 @@ export class HuiEnergySourcesTableCard
this._config = config; this._config = config;
} }
public willUpdate() {
if (!this.hasUpdated) {
this._getEnergyInfo().then(() => this._getStatistics());
}
}
protected render(): TemplateResult { protected render(): TemplateResult {
if (!this.hass || !this._config) { if (!this.hass || !this._config) {
return html``; return html``;
} }
if (!this._stats) { if (!this._data) {
return html`Loading...`; return html`Loading...`;
} }
@ -75,7 +73,7 @@ export class HuiEnergySourcesTableCard
let totalSolar = 0; let totalSolar = 0;
let totalCost = 0; let totalCost = 0;
const types = energySourcesByType(this._config.prefs); const types = energySourcesByType(this._data.prefs);
const computedStyles = getComputedStyle(this); const computedStyles = getComputedStyle(this);
const solarColor = computedStyles const solarColor = computedStyles
@ -140,7 +138,7 @@ export class HuiEnergySourcesTableCard
const entity = this.hass.states[source.stat_energy_from]; const entity = this.hass.states[source.stat_energy_from];
const energy = const energy =
calculateStatisticSumGrowth( calculateStatisticSumGrowth(
this._stats![source.stat_energy_from] this._data!.stats[source.stat_energy_from]
) || 0; ) || 0;
totalSolar += energy; totalSolar += energy;
const color = const color =
@ -195,14 +193,16 @@ export class HuiEnergySourcesTableCard
const entity = this.hass.states[flow.stat_energy_from]; const entity = this.hass.states[flow.stat_energy_from];
const energy = const energy =
calculateStatisticSumGrowth( calculateStatisticSumGrowth(
this._stats![flow.stat_energy_from] this._data!.stats[flow.stat_energy_from]
) || 0; ) || 0;
totalGrid += energy; totalGrid += energy;
const cost_stat = const cost_stat =
flow.stat_cost || flow.stat_cost ||
this._energyInfo!.cost_sensors[flow.stat_energy_from]; this._data!.info.cost_sensors[flow.stat_energy_from];
const cost = cost_stat const cost = cost_stat
? calculateStatisticSumGrowth(this._stats![cost_stat]) || 0 ? calculateStatisticSumGrowth(
this._data!.stats[cost_stat]
) || 0
: null; : null;
if (cost !== null) { if (cost !== null) {
totalCost += cost; totalCost += cost;
@ -253,15 +253,16 @@ export class HuiEnergySourcesTableCard
const entity = this.hass.states[flow.stat_energy_to]; const entity = this.hass.states[flow.stat_energy_to];
const energy = const energy =
(calculateStatisticSumGrowth( (calculateStatisticSumGrowth(
this._stats![flow.stat_energy_to] this._data!.stats[flow.stat_energy_to]
) || 0) * -1; ) || 0) * -1;
totalGrid += energy; totalGrid += energy;
const cost_stat = const cost_stat =
flow.stat_compensation || flow.stat_compensation ||
this._energyInfo!.cost_sensors[flow.stat_energy_to]; this._data!.info.cost_sensors[flow.stat_energy_to];
const cost = cost_stat const cost = cost_stat
? (calculateStatisticSumGrowth(this._stats![cost_stat]) || ? (calculateStatisticSumGrowth(
0) * -1 this._data!.stats[cost_stat]
) || 0) * -1
: null; : null;
if (cost !== null) { if (cost !== null) {
totalCost += cost; totalCost += cost;
@ -333,45 +334,6 @@ export class HuiEnergySourcesTableCard
</ha-card>`; </ha-card>`;
} }
private async _getEnergyInfo() {
this._energyInfo = await getEnergyInfo(this.hass);
}
private async _getStatistics(): Promise<void> {
const startDate = new Date();
startDate.setHours(0, 0, 0, 0);
startDate.setTime(startDate.getTime() - 1000 * 60 * 60); // subtract 1 hour to get a startpoint
const statistics: string[] = Object.values(this._energyInfo!.cost_sensors);
const prefs = this._config!.prefs;
for (const source of prefs.energy_sources) {
if (source.type === "solar") {
statistics.push(source.stat_energy_from);
} else {
// grid source
for (const flowFrom of source.flow_from) {
statistics.push(flowFrom.stat_energy_from);
if (flowFrom.stat_cost) {
statistics.push(flowFrom.stat_cost);
}
}
for (const flowTo of source.flow_to) {
statistics.push(flowTo.stat_energy_to);
if (flowTo.stat_compensation) {
statistics.push(flowTo.stat_compensation);
}
}
}
}
this._stats = await fetchStatistics(
this.hass!,
startDate,
undefined,
statistics
);
}
static get styles(): CSSResultGroup { static get styles(): CSSResultGroup {
return css` return css`
${unsafeCSS(dataTableStyles)} ${unsafeCSS(dataTableStyles)}

View File

@ -1,14 +1,10 @@
import { ChartData, ChartDataset, ChartOptions } from "chart.js"; import { ChartData, ChartDataset, ChartOptions } from "chart.js";
import { import { startOfToday, endOfToday } from "date-fns";
css, import { UnsubscribeFunc } from "home-assistant-js-websocket";
CSSResultGroup, import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit";
html,
LitElement,
PropertyValues,
TemplateResult,
} from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import { classMap } from "lit/directives/class-map"; import { classMap } from "lit/directives/class-map";
import memoizeOne from "memoize-one";
import { import {
hex2rgb, hex2rgb,
lab2rgb, lab2rgb,
@ -24,52 +20,36 @@ import {
} from "../../../../common/string/format_number"; } from "../../../../common/string/format_number";
import "../../../../components/chart/ha-chart-base"; import "../../../../components/chart/ha-chart-base";
import "../../../../components/ha-card"; import "../../../../components/ha-card";
import { fetchStatistics, Statistics } from "../../../../data/history"; import { EnergyData, getEnergyDataCollection } from "../../../../data/energy";
import { FrontendLocaleData } from "../../../../data/translation";
import { SubscribeMixin } from "../../../../mixins/subscribe-mixin";
import { HomeAssistant } from "../../../../types"; import { HomeAssistant } from "../../../../types";
import { LovelaceCard } from "../../types"; import { LovelaceCard } from "../../types";
import { EnergyUsageGraphCardConfig } from "../types"; import { EnergyUsageGraphCardConfig } from "../types";
@customElement("hui-energy-usage-graph-card") @customElement("hui-energy-usage-graph-card")
export class HuiEnergyUsageGraphCard export class HuiEnergyUsageGraphCard
extends LitElement extends SubscribeMixin(LitElement)
implements LovelaceCard implements LovelaceCard
{ {
@property({ attribute: false }) public hass!: HomeAssistant; @property({ attribute: false }) public hass!: HomeAssistant;
@state() private _config?: EnergyUsageGraphCardConfig; @state() private _config?: EnergyUsageGraphCardConfig;
@state() private _data?: Statistics;
@state() private _chartData: ChartData = { @state() private _chartData: ChartData = {
datasets: [], datasets: [],
}; };
@state() private _chartOptions?: ChartOptions; @state() private _start = startOfToday();
private _fetching = false; @state() private _end = endOfToday();
private _interval?: number; public hassSubscribe(): UnsubscribeFunc[] {
return [
public disconnectedCallback() { getEnergyDataCollection(this.hass).subscribe((data) =>
super.disconnectedCallback(); this._getStatistics(data)
if (this._interval) { ),
clearInterval(this._interval); ];
this._interval = undefined;
}
}
public connectedCallback() {
super.connectedCallback();
if (!this.hasUpdated) {
return;
}
this._getStatistics();
// statistics are created every hour
clearInterval(this._interval);
this._interval = window.setInterval(
() => this._getStatistics(),
1000 * 60 * 60
);
} }
public getCardSize(): Promise<number> | number { public getCardSize(): Promise<number> | number {
@ -80,30 +60,6 @@ export class HuiEnergyUsageGraphCard
this._config = config; this._config = config;
} }
public willUpdate(changedProps: PropertyValues) {
super.willUpdate(changedProps);
if (!this.hasUpdated) {
this._createOptions();
}
if (!this._config || !changedProps.has("_config")) {
return;
}
const oldConfig = changedProps.get("_config") as
| EnergyUsageGraphCardConfig
| undefined;
if (oldConfig !== this._config) {
this._getStatistics();
// statistics are created every hour
clearInterval(this._interval);
this._interval = window.setInterval(
() => this._getStatistics(),
1000 * 60 * 60
);
}
}
protected render(): TemplateResult { protected render(): TemplateResult {
if (!this.hass || !this._config) { if (!this.hass || !this._config) {
return html``; return html``;
@ -121,7 +77,11 @@ export class HuiEnergyUsageGraphCard
> >
<ha-chart-base <ha-chart-base
.data=${this._chartData} .data=${this._chartData}
.options=${this._chartOptions} .options=${this._createOptions(
this._start,
this._end,
this.hass.locale
)}
chart-type="bar" chart-type="bar"
></ha-chart-base> ></ha-chart-base>
</div> </div>
@ -129,22 +89,18 @@ export class HuiEnergyUsageGraphCard
`; `;
} }
private _createOptions() { private _createOptions = memoizeOne(
const startDate = new Date(); (start: Date, end: Date, locale: FrontendLocaleData): ChartOptions => ({
startDate.setHours(0, 0, 0, 0);
const startTime = startDate.getTime();
this._chartOptions = {
parsing: false, parsing: false,
animation: false, animation: false,
scales: { scales: {
x: { x: {
type: "time", type: "time",
suggestedMin: startTime, suggestedMin: start.getTime(),
suggestedMax: startTime + 24 * 60 * 60 * 1000, suggestedMax: end.getTime(),
adapters: { adapters: {
date: { date: {
locale: this.hass.locale, locale: locale,
}, },
}, },
ticks: { ticks: {
@ -173,8 +129,7 @@ export class HuiEnergyUsageGraphCard
}, },
ticks: { ticks: {
beginAtZero: true, beginAtZero: true,
callback: (value) => callback: (value) => formatNumber(Math.abs(value), locale),
formatNumber(Math.abs(value), this.hass.locale),
}, },
}, },
}, },
@ -188,7 +143,7 @@ export class HuiEnergyUsageGraphCard
label: (context) => label: (context) =>
`${context.dataset.label}: ${formatNumber( `${context.dataset.label}: ${formatNumber(
Math.abs(context.parsed.y), Math.abs(context.parsed.y),
this.hass.locale locale
)} kWh`, )} kWh`,
footer: (contexts) => { footer: (contexts) => {
let totalConsumed = 0; let totalConsumed = 0;
@ -204,16 +159,10 @@ export class HuiEnergyUsageGraphCard
} }
return [ return [
totalConsumed totalConsumed
? `Total consumed: ${formatNumber( ? `Total consumed: ${formatNumber(totalConsumed, locale)} kWh`
totalConsumed,
this.hass.locale
)} kWh`
: "", : "",
totalReturned totalReturned
? `Total returned: ${formatNumber( ? `Total returned: ${formatNumber(totalReturned, locale)} kWh`
totalReturned,
this.hass.locale
)} kWh`
: "", : "",
].filter(Boolean); ].filter(Boolean);
}, },
@ -239,27 +188,18 @@ export class HuiEnergyUsageGraphCard
}, },
}, },
// @ts-expect-error // @ts-expect-error
locale: numberFormatToLocale(this.hass.locale), locale: numberFormatToLocale(locale),
}; })
} );
private async _getStatistics(): Promise<void> { private async _getStatistics(energyData: EnergyData): Promise<void> {
if (this._fetching) {
return;
}
const startDate = new Date();
startDate.setHours(0, 0, 0, 0);
startDate.setTime(startDate.getTime() - 1000 * 60 * 60); // subtract 1 hour to get a startpoint
this._fetching = true;
const prefs = this._config!.prefs;
const statistics: { const statistics: {
to_grid?: string[]; to_grid?: string[];
from_grid?: string[]; from_grid?: string[];
solar?: string[]; solar?: string[];
} = {}; } = {};
for (const source of prefs.energy_sources) { for (const source of energyData.prefs.energy_sources) {
if (source.type === "solar") { if (source.type === "solar") {
if (statistics.solar) { if (statistics.solar) {
statistics.solar.push(source.stat_energy_from); statistics.solar.push(source.stat_energy_from);
@ -286,23 +226,17 @@ export class HuiEnergyUsageGraphCard
} }
} }
try { const statisticsData = Object.values(energyData.stats);
this._data = await fetchStatistics(
this.hass!,
startDate,
undefined,
// Array.flat()
([] as string[]).concat(...Object.values(statistics))
);
} finally {
this._fetching = false;
}
const statisticsData = Object.values(this._data!);
const datasets: ChartDataset<"bar">[] = []; const datasets: ChartDataset<"bar">[] = [];
let endTime: Date; let endTime: Date;
this._start = energyData.start;
this._end = energyData.end || endOfToday();
if (statisticsData.length === 0) { if (statisticsData.length === 0) {
this._chartData = {
datasets,
};
return; return;
} }
@ -346,7 +280,7 @@ export class HuiEnergyUsageGraphCard
const totalStats: { [start: string]: number } = {}; const totalStats: { [start: string]: number } = {};
const sets: { [statId: string]: { [start: string]: number } } = {}; const sets: { [statId: string]: { [start: string]: number } } = {};
statIds!.forEach((id) => { statIds!.forEach((id) => {
const stats = this._data![id]; const stats = energyData.stats[id];
if (!stats) { if (!stats) {
return; return;
} }

View File

@ -81,6 +81,7 @@ export class HuiStatisticsGraphCard extends LitElement implements LovelaceCard {
? processConfigEntities(config.entities) ? processConfigEntities(config.entities)
: []; : [];
this._entities = [];
configEntities.forEach((entity) => { configEntities.forEach((entity) => {
this._entities.push(entity.entity); this._entities.push(entity.entity);
if (entity.name) { if (entity.name) {

View File

@ -1,4 +1,3 @@
import { EnergyPreferences } from "../../../data/energy";
import { StatisticType } from "../../../data/history"; import { StatisticType } from "../../../data/history";
import { ActionConfig, LovelaceCardConfig } from "../../../data/lovelace"; import { ActionConfig, LovelaceCardConfig } from "../../../data/lovelace";
import { FullCalendarView } from "../../../types"; import { FullCalendarView } from "../../../types";
@ -93,54 +92,45 @@ export interface ButtonCardConfig extends LovelaceCardConfig {
export interface EnergySummaryCardConfig extends LovelaceCardConfig { export interface EnergySummaryCardConfig extends LovelaceCardConfig {
type: "energy-summary"; type: "energy-summary";
title?: string; title?: string;
prefs: EnergyPreferences;
} }
export interface EnergyDistributionCardConfig extends LovelaceCardConfig { export interface EnergyDistributionCardConfig extends LovelaceCardConfig {
type: "energy-distribution"; type: "energy-distribution";
title?: string; title?: string;
prefs: EnergyPreferences;
} }
export interface EnergyUsageGraphCardConfig extends LovelaceCardConfig { export interface EnergyUsageGraphCardConfig extends LovelaceCardConfig {
type: "energy-summary-graph"; type: "energy-summary-graph";
title?: string; title?: string;
prefs: EnergyPreferences;
} }
export interface EnergySolarGraphCardConfig extends LovelaceCardConfig { export interface EnergySolarGraphCardConfig extends LovelaceCardConfig {
type: "energy-solar-graph"; type: "energy-solar-graph";
title?: string; title?: string;
prefs: EnergyPreferences;
} }
export interface EnergyDevicesGraphCardConfig extends LovelaceCardConfig { export interface EnergyDevicesGraphCardConfig extends LovelaceCardConfig {
type: "energy-devices-graph"; type: "energy-devices-graph";
title?: string; title?: string;
prefs: EnergyPreferences;
} }
export interface EnergySourcesTableCardConfig extends LovelaceCardConfig { export interface EnergySourcesTableCardConfig extends LovelaceCardConfig {
type: "energy-sources-table"; type: "energy-sources-table";
title?: string; title?: string;
prefs: EnergyPreferences;
} }
export interface EnergySolarGaugeCardConfig extends LovelaceCardConfig { export interface EnergySolarGaugeCardConfig extends LovelaceCardConfig {
type: "energy-solar-consumed-gauge"; type: "energy-solar-consumed-gauge";
title?: string; title?: string;
prefs: EnergyPreferences;
} }
export interface EnergyGridGaugeCardConfig extends LovelaceCardConfig { export interface EnergyGridGaugeCardConfig extends LovelaceCardConfig {
type: "energy-grid-result-gauge"; type: "energy-grid-result-gauge";
title?: string; title?: string;
prefs: EnergyPreferences;
} }
export interface EnergyCarbonGaugeCardConfig extends LovelaceCardConfig { export interface EnergyCarbonGaugeCardConfig extends LovelaceCardConfig {
type: "energy-carbon-consumed-gauge"; type: "energy-carbon-consumed-gauge";
title?: string; title?: string;
prefs: EnergyPreferences;
} }
export interface EntityFilterCardConfig extends LovelaceCardConfig { export interface EntityFilterCardConfig extends LovelaceCardConfig {

View File

@ -59,11 +59,12 @@ export class HuiCardOptions extends LitElement {
)}</mwc-button )}</mwc-button
> >
<div> <div>
<slot name="buttons"></slot>
<mwc-icon-button <mwc-icon-button
title="Move card down" title="Move card down"
class="move-arrow" class="move-arrow"
@click=${this._cardDown} @click=${this._cardDown}
?disabled=${this.lovelace!.config.views[this.path![0]].cards! .disabled=${this.lovelace!.config.views[this.path![0]].cards!
.length === .length ===
this.path![1] + 1} this.path![1] + 1}
> >

View File

@ -51,6 +51,8 @@ const LAZY_LOAD_TYPES = {
import("../cards/energy/hui-energy-grid-neutrality-gauge-card"), import("../cards/energy/hui-energy-grid-neutrality-gauge-card"),
"energy-carbon-consumed-gauge": () => "energy-carbon-consumed-gauge": () =>
import("../cards/energy/hui-energy-carbon-consumed-gauge-card"), import("../cards/energy/hui-energy-carbon-consumed-gauge-card"),
"energy-date-selection": () =>
import("../cards/energy/hui-energy-date-selection-card"),
grid: () => import("../cards/hui-grid-card"), grid: () => import("../cards/hui-grid-card"),
starting: () => import("../cards/hui-starting-card"), starting: () => import("../cards/hui-starting-card"),
"entity-filter": () => import("../cards/hui-entity-filter-card"), "entity-filter": () => import("../cards/hui-entity-filter-card"),

View File

@ -3,7 +3,6 @@ import { css, CSSResultGroup, html, LitElement, TemplateResult } from "lit";
import { customElement, property, state } from "lit/decorators"; import { customElement, property, state } from "lit/decorators";
import { fireEvent } from "../../../../common/dom/fire_event"; import { fireEvent } from "../../../../common/dom/fire_event";
import { slugify } from "../../../../common/string/slugify"; import { slugify } from "../../../../common/string/slugify";
import { computeRTLDirection } from "../../../../common/util/compute_rtl";
import "../../../../components/ha-formfield"; import "../../../../components/ha-formfield";
import "../../../../components/ha-icon-input"; import "../../../../components/ha-icon-input";
import "../../../../components/ha-switch"; import "../../../../components/ha-switch";
@ -59,11 +58,11 @@ export class HuiViewEditor extends LitElement {
return this._config.theme || "Backend-selected"; return this._config.theme || "Backend-selected";
} }
get _panel(): boolean { get _type(): string {
if (!this._config) { if (!this._config) {
return false; return "masonary";
} }
return this._config.panel || false; return this._config.panel ? "panel" : this._config.type || "masonary";
} }
set config(config: LovelaceViewConfig) { set config(config: LovelaceViewConfig) {
@ -115,23 +114,26 @@ export class HuiViewEditor extends LitElement {
.configValue=${"theme"} .configValue=${"theme"}
@value-changed=${this._valueChanged} @value-changed=${this._valueChanged}
></hui-theme-select-editor> ></hui-theme-select-editor>
<ha-formfield <paper-dropdown-menu
.label=${this.hass.localize( .label=${this.hass.localize(
"ui.panel.lovelace.editor.view.panel_mode.title" "ui.panel.lovelace.editor.edit_view.type"
)} )}
.dir=${computeRTLDirection(this.hass)}
> >
<ha-switch <paper-listbox
.checked=${this._panel !== false} slot="dropdown-content"
.configValue=${"panel"} .selected=${this._type}
@change=${this._valueChanged} attr-for-selected="type"
></ha-switch @iron-select=${this._typeChanged}
></ha-formfield> >
<span class="panel"> ${["masonary", "sidebar", "panel"].map(
${this.hass.localize( (type) => html`<paper-item .type=${type}>
"ui.panel.lovelace.editor.view.panel_mode.description" ${this.hass.localize(
)} `ui.panel.lovelace.editor.edit_view.types.${type}`
</span> )}
</paper-item>`
)}
</paper-listbox>
</paper-dropdown-menu>
</div> </div>
`; `;
} }
@ -156,6 +158,23 @@ export class HuiViewEditor extends LitElement {
fireEvent(this, "view-config-changed", { config: newConfig }); fireEvent(this, "view-config-changed", { config: newConfig });
} }
private _typeChanged(ev): void {
const selected = ev.target.selected;
if (selected === "") {
return;
}
const newConfig = {
...this._config,
};
delete newConfig.panel;
if (selected === "masonary") {
delete newConfig.type;
} else {
newConfig.type = selected;
}
fireEvent(this, "view-config-changed", { config: newConfig });
}
private _handleTitleBlur(ev) { private _handleTitleBlur(ev) {
if ( if (
!this.isNew || !this.isNew ||

View File

@ -71,6 +71,13 @@ export class PanelView extends LitElement implements LovelaceViewElement {
protected render(): TemplateResult { protected render(): TemplateResult {
return html` return html`
${this.cards!.length > 1
? html`<hui-warning>
${this.hass!.localize(
"ui.panel.lovelace.editor.view.panel_mode.warning_multiple_cards"
)}
</hui-warning>`
: ""}
${this._card} ${this._card}
${this.lovelace?.editMode && this.cards.length === 0 ${this.lovelace?.editMode && this.cards.length === 0
? html` ? html`
@ -117,18 +124,6 @@ export class PanelView extends LitElement implements LovelaceViewElement {
card.editMode = true; card.editMode = true;
wrapper.appendChild(card); wrapper.appendChild(card);
this._card = wrapper; this._card = wrapper;
if (this.cards!.length > 1) {
const warning = document.createElement("hui-warning");
warning.setAttribute(
"style",
"position: absolute; top: 0; width: 100%; box-sizing: border-box;"
);
warning.innerText = this.hass!.localize(
"ui.panel.lovelace.editor.view.panel_mode.warning_multiple_cards"
);
this._card = warning;
}
} }
static get styles(): CSSResultGroup { static get styles(): CSSResultGroup {

View File

@ -1,4 +1,4 @@
import { mdiPlus } from "@mdi/js"; import { mdiArrowLeft, mdiArrowRight, mdiPlus } from "@mdi/js";
import { import {
css, css,
CSSResultGroup, CSSResultGroup,
@ -18,6 +18,7 @@ import type {
import type { HomeAssistant } from "../../../types"; import type { HomeAssistant } from "../../../types";
import { HuiErrorCard } from "../cards/hui-error-card"; import { HuiErrorCard } from "../cards/hui-error-card";
import { HuiCardOptions } from "../components/hui-card-options"; import { HuiCardOptions } from "../components/hui-card-options";
import { replaceCard } from "../editor/config-util";
import type { Lovelace, LovelaceCard } from "../types"; import type { Lovelace, LovelaceCard } from "../types";
export class SideBarView extends LitElement implements LovelaceViewElement { export class SideBarView extends LitElement implements LovelaceViewElement {
@ -155,6 +156,28 @@ export class SideBarView extends LitElement implements LovelaceViewElement {
element.lovelace = this.lovelace; element.lovelace = this.lovelace;
element.path = [this.index!, idx]; element.path = [this.index!, idx];
card.editMode = true; card.editMode = true;
const movePositionButton = document.createElement("mwc-icon-button");
movePositionButton.slot = "buttons";
const moveIcon = document.createElement("ha-svg-icon");
moveIcon.path =
cardConfig?.view_layout?.position !== "sidebar"
? mdiArrowRight
: mdiArrowLeft;
movePositionButton.appendChild(moveIcon);
movePositionButton.addEventListener("click", () => {
this.lovelace!.saveConfig(
replaceCard(this.lovelace!.config, [this.index!, idx], {
...cardConfig!,
view_layout: {
position:
cardConfig?.view_layout?.position !== "sidebar"
? "sidebar"
: "main",
},
})
);
});
element.appendChild(movePositionButton);
element.appendChild(card); element.appendChild(card);
} }
if (cardConfig?.view_layout?.position !== "sidebar") { if (cardConfig?.view_layout?.position !== "sidebar") {
@ -188,6 +211,7 @@ export class SideBarView extends LitElement implements LovelaceViewElement {
#sidebar { #sidebar {
flex-grow: 1; flex-grow: 1;
flex-shrink: 0;
max-width: 380px; max-width: 380px;
} }

View File

@ -425,7 +425,13 @@
"date-range-picker": { "date-range-picker": {
"start_date": "Start date", "start_date": "Start date",
"end_date": "End date", "end_date": "End date",
"select": "Select" "select": "Select",
"ranges": {
"today": "Today",
"yesterday": "Yesterday",
"this_week": "This week",
"last_week": "Last week"
}
}, },
"relative_time": { "relative_time": {
"never": "Never", "never": "Never",
@ -2807,22 +2813,6 @@
} }
} }
}, },
"history": {
"ranges": {
"today": "Today",
"yesterday": "Yesterday",
"this_week": "This week",
"last_week": "Last week"
}
},
"logbook": {
"ranges": {
"today": "Today",
"yesterday": "Yesterday",
"this_week": "This week",
"last_week": "Last week"
}
},
"lovelace": { "lovelace": {
"cards": { "cards": {
"confirm_delete": "Are you sure you want to delete this card?", "confirm_delete": "Are you sure you want to delete this card?",
@ -2950,6 +2940,12 @@
"tab_visibility": "Visibility", "tab_visibility": "Visibility",
"visibility": { "visibility": {
"select_users": "Select which users should see this view in the navigation" "select_users": "Select which users should see this view in the navigation"
},
"type": "View type",
"types": {
"masonary": "Masonary (default)",
"sidebar": "Sidebar",
"panel": "Panel (1 card)"
} }
}, },
"edit_badges": { "edit_badges": {
@ -3243,8 +3239,6 @@
}, },
"view": { "view": {
"panel_mode": { "panel_mode": {
"title": "Panel Mode?",
"description": "This renders the first card at full width. Other cards in this view as well as badges will not be rendered.",
"warning_multiple_cards": "This view contains more than one card, but a panel view can only show 1 card." "warning_multiple_cards": "This view contains more than one card, but a panel view can only show 1 card."
} }
}, },