date-fns#subHours TypeScript Examples
The following examples show how to use
date-fns#subHours.
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example. You may check out the related API usage on the sidebar.
Example #1
Source File: parser.ts From telegram-autoclean-bot with MIT License | 6 votes |
async function queryTaoPass(content: string): Promise<Parsed> {
const response = await fetch('https://taodaxiang.com/taopass/parse/get', {
method: 'POST',
headers: { 'Content-Type': 'application/x-www-form-urlencoded' },
body: new URLSearchParams({ content }),
timeout: TIMEOUT,
});
const payload: TaoPassAPIResponse = await response.json();
if (payload.code !== 0) {
throw new TaokoulingError(
`This product has been deleted (from taodaxiang.com)`,
);
}
const parsed = payload.data;
const url = getProductLink(parsed.url);
const title = parsed.content;
const picUrl = parsed.picUrl;
const expired = subHours(new Date(parsed.expire), 8);
return { url, title, picUrl, expired };
}
Example #2
Source File: OmitDays.test.tsx From react-calendar with MIT License | 6 votes |
test('Omits the weekends', () => {
render(
<WeeklyCalendarTest
week={new Date(testDate)}
omitDays={[6, 0]}
events={[
{ title: 'Janet smith', date: subDays(new Date(testDate), 2) },
{ title: 'Max Smith', date: subDays(new Date(testDate), 1) },
{ title: 'Code', date: subHours(new Date(testDate), 4) },
]}
/>
);
expect(screen.getAllByLabelText('Day of Week').length).toEqual(5);
expect(screen.queryByText('Saturday 6th')).toEqual(null);
expect(screen.queryByText('Sunday 28th')).toEqual(null);
});
Example #3
Source File: OmitDays.test.tsx From react-calendar with MIT License | 6 votes |
test('Renders all days of the week', () => {
render(
<WeeklyCalendarTest
week={new Date(testDate)}
events={[
{ title: 'Janet smith', date: subDays(new Date(testDate), 2) },
{ title: 'Max Smith', date: subDays(new Date(testDate), 1) },
{ title: 'Code', date: subHours(new Date(testDate), 4) },
]}
/>
);
expect(screen.getAllByLabelText('Day of Week').length).toEqual(7);
});
Example #4
Source File: Events.test.tsx From react-calendar with MIT License | 6 votes |
test('Renders using a custom locale', () => {
render(
<WeeklyCalendarTest
locale={zhCN}
week={new Date(testDate)}
events={[
{ title: 'Janet smith', date: subDays(new Date(testDate), 2) },
{ title: 'Max Smith', date: subDays(new Date(testDate), 1) },
{ title: 'Code', date: subHours(new Date(testDate), 4) },
]}
/>
);
// check that all 3 are on screen
screen.getByText('Janet smith');
screen.getByText('Max Smith');
screen.getByText('Code');
screen.getByText('3月 1日 24:00');
});
Example #5
Source File: Events.test.tsx From react-calendar with MIT License | 6 votes |
test('Renders week after clicking a selected day', () => {
render(
<WeeklyCalendarTest
week={new Date(testDate)}
events={[
{ title: 'Janet smith', date: subDays(new Date(testDate), 3) },
{ title: 'Max Smith', date: subDays(new Date(testDate), 1) },
{ title: 'Code', date: subHours(new Date(testDate), 4) },
]}
/>
);
fireEvent.click(screen.getByText('Sunday 28th'));
screen.getByText('Janet smith');
expect(screen.queryByText('Max Smith')).toEqual(null);
expect(screen.queryByText('Code')).toEqual(null);
fireEvent.click(screen.getByText('Sunday 28th'));
// check that all 3 are on screen
screen.getByText('Janet smith');
screen.getByText('Max Smith');
screen.getByText('Code');
});
Example #6
Source File: Events.test.tsx From react-calendar with MIT License | 6 votes |
test('Renders single day after click', () => {
render(
<WeeklyResponsiveContainer>
<WeeklyCalendarTest
week={new Date(testDate)}
events={[
{ title: 'Janet smith', date: subDays(new Date(testDate), 3) },
{ title: 'Max Smith', date: subDays(new Date(testDate), 1) },
{ title: 'Code', date: subHours(new Date(testDate), 4) },
]}
/>
</WeeklyResponsiveContainer>
);
fireEvent.click(screen.getByText('Sunday 28th'));
screen.getByText('Janet smith');
expect(screen.queryByText('Max Smith')).toEqual(null);
expect(screen.queryByText('Code')).toEqual(null);
screen.getByText('24:00');
});
Example #7
Source File: Events.test.tsx From react-calendar with MIT License | 6 votes |
test('Hides event from next week', () => {
render(
<WeeklyCalendarTest
week={new Date(testDate)}
events={[
{ title: 'Janet smith', date: subDays(new Date(testDate), 2) },
{ title: 'Max Smith', date: subDays(new Date(testDate), 1) },
{ title: 'Code', date: subHours(new Date(testDate), 4) },
{ title: 'Next week', date: addDays(new Date(testDate), 7) },
]}
/>
);
// check that all 3 are on screen
screen.getByText('Janet smith');
screen.getByText('Max Smith');
screen.getByText('Code');
screen.getByText('Mar 1st 24:00');
expect(screen.queryByText('Next week')).toEqual(null);
});
Example #8
Source File: Events.test.tsx From react-calendar with MIT License | 6 votes |
test('Renders full week initially', () => {
render(
<WeeklyCalendarTest
week={new Date(testDate)}
events={[
{ title: 'Janet smith', date: subDays(new Date(testDate), 2) },
{ title: 'Max Smith', date: subDays(new Date(testDate), 1) },
{ title: 'Code', date: subHours(new Date(testDate), 4) },
]}
/>
);
// check that all 3 are on screen
screen.getByText('Janet smith');
screen.getByText('Max Smith');
screen.getByText('Code');
screen.getByText('Mar 1st 24:00');
});
Example #9
Source File: dummyEvents.ts From react-calendar with MIT License | 6 votes |
events: { [key: string]: EventType[] } = {
firstMonth: [
{ title: 'Call John', date: subHours(new Date(), 2) },
{ title: 'Call John', date: subHours(new Date(), 1) },
{ title: 'Meeting with Bob', date: new Date() },
{ title: 'Bike Appt', date: addHours(new Date(), 3) },
{ title: 'John Hilmer', date: addDays(new Date(), 3) },
{ title: 'Jane Call', date: subDays(new Date(), 4) },
{ title: 'Sound alarm', date: addDays(new Date(), 6) },
{ title: 'Soccer Practice', date: subDays(new Date(), 3) },
{ title: 'Alert', date: addHours(subDays(new Date(), 4), 4) },
{ title: 'Donation', date: addDays(new Date(), 6) },
],
secondMonth: [
{ title: 'Meeting Next Month', date: addMonths(new Date(), 1) },
],
}
Example #10
Source File: Monthly.stories.tsx From react-calendar with MIT License | 6 votes |
BasicMonthlyCalendar: Story = args => {
let [currentMonth, setCurrentMonth] = useState<Date>(
startOfMonth(new Date())
);
return (
<MonthlyCalendar
currentMonth={currentMonth}
onCurrentMonthChange={setCurrentMonth}
>
<MonthlyNav />
<MonthlyBody
omitDays={args.hideWeekend ? [0, 6] : undefined}
events={[
{ title: 'Call John', date: subHours(new Date(), 2) },
{ title: 'Call John', date: subHours(new Date(), 1) },
{ title: 'Meeting with Bob', date: new Date() },
]}
>
<MonthlyDay<EventType>
renderDay={data =>
data.map((item, index) => (
<DefaultMonthlyEventItem
key={index}
title={item.title}
date={format(item.date, 'k:mm')}
/>
))
}
/>
</MonthlyBody>
</MonthlyCalendar>
);
}
Example #11
Source File: Metrics.tsx From mStable-apps with GNU Lesser General Public License v3.0 | 6 votes |
DATE_RANGES: State<never>['dates'] = [
{
dateRange: DateRange.Day,
period: TimeMetricPeriod.Hour,
label: '24 hour',
from: startOfHour(subHours(new Date(), 23)),
end: END_OF_HOUR,
},
{
dateRange: DateRange.Week,
period: TimeMetricPeriod.Day,
label: '7 day',
from: startOfDay(subDays(new Date(), 6)),
end: END_OF_DAY,
},
{
dateRange: DateRange.Month,
period: TimeMetricPeriod.Day,
label: '30 day',
from: startOfDay(subDays(new Date(), 29)),
end: END_OF_DAY,
},
{
dateRange: DateRange.Days90,
period: TimeMetricPeriod.Day,
label: '90 day',
from: startOfDay(subDays(new Date(), 90)),
end: END_OF_DAY,
},
]
Example #12
Source File: useLastTickets.ts From rcvr-app with GNU Affero General Public License v3.0 | 5 votes |
async function fetchLastTickets({ queryKey }): Promise<CompanyTicketRes[]> {
const [_key, companyId] = queryKey
const to = new Date()
const from = new Date(subHours(to, 24))
return await getTickets({ companyId, from, to })
}
Example #13
Source File: BlockProvider.tsx From mStable-apps with GNU Lesser General Public License v3.0 | 5 votes |
date24h = subHours(Date.now(), 24)
Example #14
Source File: Weekly.stories.tsx From react-calendar with MIT License | 5 votes |
BasicWeeklyCalendar: Story = args => {
return (
<WeeklyResponsiveContainer>
<WeeklyCalendar week={args.week}>
<WeeklyContainer>
<WeeklyDays omitDays={args.hideWeekend ? [0, 6] : undefined} />
<WeeklyBody
style={{ maxHeight: args.hideWeekend ? '18rem' : '26rem' }}
events={[
{ title: 'Janet smith', date: subDays(new Date(), 3) },
{ title: 'Max Smith', date: subDays(new Date(), 1) },
{ title: 'Code', date: subHours(new Date(), 4) },
{ title: 'Call Emma', date: subHours(new Date(), 3) },
{ title: 'Eat lunch', date: subHours(new Date(), 2) },
{ title: 'Sleep', date: subHours(new Date(), 1) },
{ title: 'Meeting with Bob', date: new Date() },
{ title: 'John smith', date: addDays(new Date(), 1) },
{ title: 'Jane doe', date: addDays(new Date(), 3) },
{ title: 'Janet smith', date: subDays(new Date(), 4) },
{ title: 'Max Smith', date: subDays(new Date(), 5) },
{ title: 'John smith', date: addDays(new Date(), 4) },
{ title: 'Jane doe', date: addDays(new Date(), 5) },
]}
renderItem={({ item, showingFullWeek }) => (
<DefaultWeeklyEventItem
key={item.date.toISOString()}
title={item.title}
date={
showingFullWeek
? format(item.date, 'MMM do k:mm')
: format(item.date, 'k:mm')
}
/>
)}
/>
</WeeklyContainer>
</WeeklyCalendar>
</WeeklyResponsiveContainer>
);
}
Example #15
Source File: SleepChart.tsx From nyxo-website with MIT License | 5 votes |
SleepChart: FC<ChartProps> = ({ data }) => {
const ref = useRef<HTMLDivElement>(null)
useLayoutEffect(() => {
ref.current?.scrollBy({ left: ref.current.offsetWidth })
}, [])
const { normalizedData } = useMemo(
() => ({
normalizedData: getNightAsDays(data),
}),
[data]
)
const daysToShow = normalizedData.length
const chartWidth = (barWidth + 10) * daysToShow + paddingLeft + paddingRight
const xDomain: Date[] = extent(
normalizedData,
(date) => new Date(date.date)
) as Date[]
const yDomain: number[] = [
min(normalizedData, (date) =>
min(date.night, (night) =>
subHours(new Date(night.startDate), 1).valueOf()
)
) as number,
max(normalizedData, (date) =>
max(date.night, (night) => addHours(new Date(night.endDate), 1).valueOf())
) as number,
]
const scaleX = scaleTime()
.domain(xDomain)
.range([paddingLeft, chartWidth - paddingRight])
const scaleY = scaleTime()
.domain(yDomain)
.nice()
.range([10, chartHeight - 80])
const yTicks = scaleY.ticks(10)
const xTicks = scaleX.ticks(daysToShow)
return (
<Container ref={ref}>
<svg width={chartWidth} height={chartHeight}>
<XTicks
chartHeight={chartHeight}
scaleX={scaleX}
barWidth={barWidth}
ticks={xTicks}
/>
<SleepBars
barWidth={barWidth}
scaleX={scaleX}
scaleY={scaleY}
data={normalizedData}
/>
<YTicks scaleY={scaleY} chartWidth={chartWidth} ticks={yTicks} />
</svg>
</Container>
)
}
Example #16
Source File: SleepChart.tsx From nyxo-website with MIT License | 5 votes |
export function matchDayAndNight(night: string, day: string): boolean {
const nightTime = new Date(night)
const nightStart = subHours(startOfDay(new Date(day)), 12)
const nightEnd = addHours(startOfDay(new Date(day)), 12)
return isWithinInterval(nightTime, { start: nightStart, end: nightEnd })
}
Example #17
Source File: sleep-data-helper.ts From nyxo-app with GNU General Public License v3.0 | 5 votes |
// Used to match sleep samples to date
export function matchDayAndNight(night: string, day: string): boolean {
const nightTime = new Date(night)
const nightStart = subHours(startOfDay(new Date(day)), 12)
const nightEnd = addHours(startOfDay(new Date(day)), 12)
return isWithinInterval(nightTime, { start: nightStart, end: nightEnd })
}
Example #18
Source File: SleepChart.tsx From nyxo-app with GNU General Public License v3.0 | 5 votes |
SleepTimeChart: FC = () => {
const data = useAppSelector(getNightsAsDays)
const daysToShow = data.length
const chartWidth = (barWidth + 10) * daysToShow + paddingLeft + paddingRight
const xDomain: Date[] = extent(data, (date) => new Date(date.date)) as Date[]
const yDomain: number[] = [
min(data, (date) =>
min(date.night, (night) =>
subHours(new Date(night.startDate), 1).valueOf()
)
) as number,
max(data, (date) =>
max(date.night, (night) => addHours(new Date(night.endDate), 1).valueOf())
) as number
]
const scaleX = scaleTime()
.domain(xDomain)
.range([paddingLeft, chartWidth - paddingRight])
const scaleY = scaleTime()
.domain(yDomain)
.nice()
.range([10, chartHeight - 80])
const yTicks = scaleY.ticks(5)
const xTicks = scaleX.ticks(daysToShow)
return (
<Card>
<Title>STAT.TREND</Title>
<ScrollContainer>
<YTicksContainer
pointerEvents="auto"
width={chartWidth}
height={chartHeight}>
<YTicks scaleY={scaleY} chartWidth={chartWidth} ticks={yTicks} />
</YTicksContainer>
<ScrollView
style={{ transform: [{ scaleX: -1 }] }}
horizontal
showsHorizontalScrollIndicator={false}>
<View style={{ transform: [{ scaleX: -1 }] }}>
<Svg width={chartWidth} height={chartHeight}>
{/* <TargetBars
start={bedtimeWindow}
onPress={select}
barWidth={barWidth}
scaleX={scaleX}
scaleY={scaleY}
data={normalizedSleepData}
/> */}
<SleepBars
onPress={() => undefined}
barWidth={barWidth}
scaleX={scaleX}
scaleY={scaleY}
data={data}
/>
<XTicks
chartHeight={chartHeight}
scaleX={scaleX}
barWidth={barWidth}
ticks={xTicks}
/>
</Svg>
</View>
</ScrollView>
</ScrollContainer>
</Card>
)
}
Example #19
Source File: statsProvider.ts From akashlytics with GNU General Public License v3.0 | 5 votes |
getDashboardData = async () => {
console.time("latestBlock");
const latestBlockStats = await Block.findOne({
where: {
isProcessed: true
},
order: [["height", "DESC"]]
});
console.timeEnd("latestBlock");
console.time("compareBlock");
const compareDate = subHours(latestBlockStats.datetime, 24);
const compareBlockStats = await Block.findOne({
order: [["datetime", "ASC"]],
where: {
datetime: { [Op.gte]: compareDate }
}
});
console.timeEnd("compareBlock");
console.time("secondCompareBlock");
const secondCompareDate = subHours(latestBlockStats.datetime, 48);
const secondCompareBlockStats = await Block.findOne({
order: [["datetime", "ASC"]],
where: {
datetime: { [Op.gte]: secondCompareDate }
}
});
console.timeEnd("secondCompareBlock");
return {
now: {
date: latestBlockStats.datetime,
height: latestBlockStats.height,
activeLeaseCount: latestBlockStats.activeLeaseCount,
totalLeaseCount: latestBlockStats.totalLeaseCount,
dailyLeaseCount: latestBlockStats.totalLeaseCount - compareBlockStats.totalLeaseCount,
totalUAktSpent: latestBlockStats.totalUAktSpent,
dailyUAktSpent: latestBlockStats.totalUAktSpent - compareBlockStats.totalUAktSpent,
activeCPU: latestBlockStats.activeCPU,
activeMemory: latestBlockStats.activeMemory,
activeStorage: latestBlockStats.activeStorage
},
compare: {
date: compareBlockStats.datetime,
height: compareBlockStats.height,
activeLeaseCount: compareBlockStats.activeLeaseCount,
totalLeaseCount: compareBlockStats.totalLeaseCount,
dailyLeaseCount: compareBlockStats.totalLeaseCount - secondCompareBlockStats.totalLeaseCount,
totalUAktSpent: compareBlockStats.totalUAktSpent,
dailyUAktSpent: compareBlockStats.totalUAktSpent - secondCompareBlockStats.totalUAktSpent,
activeCPU: compareBlockStats.activeCPU,
activeMemory: compareBlockStats.activeMemory,
activeStorage: compareBlockStats.activeStorage
}
};
}
Example #20
Source File: subscribe-to-one-search.ts From js-client with MIT License | 4 votes |
makeSubscribeToOneSearch = (context: APIContext) => {
const modifyOneQuery = makeModifyOneQuery(context);
const subscribeToOneRawSearch = makeSubscribeToOneRawSearch(context);
let rawSubscriptionP: ReturnType<typeof subscribeToOneRawSearch> | null = null;
let closedSub: Subscription | null = null;
return async (
query: Query,
options: { filter?: SearchFilter; metadata?: RawJSON; noHistory?: boolean } = {},
): Promise<SearchSubscription> => {
if (isNull(rawSubscriptionP)) {
rawSubscriptionP = subscribeToOneRawSearch();
if (closedSub?.closed === false) {
closedSub.unsubscribe();
}
// Handles websocket hangups from close or error
closedSub = from(rawSubscriptionP)
.pipe(
concatMap(rawSubscription => rawSubscription.received$),
catchError(() => EMPTY),
)
.subscribe({
complete: () => {
rawSubscriptionP = null;
},
});
}
const rawSubscription = await rawSubscriptionP;
// The default end date is now
const defaultEnd = new Date();
// The default start date is one hour ago
const defaultStart = subHours(defaultEnd, 1);
let closed = false;
const close$ = new Subject<void>();
const initialFilter = {
entriesOffset: {
index: options.filter?.entriesOffset?.index ?? 0,
count: options.filter?.entriesOffset?.count ?? 100,
},
dateRange:
options.filter?.dateRange === 'preview'
? ('preview' as const)
: {
start: options.filter?.dateRange?.start ?? defaultStart,
end: options.filter?.dateRange?.end ?? defaultEnd,
},
// *NOTE: The default granularity is recalculated when we receive the renderer type
desiredGranularity: options.filter?.desiredGranularity ?? 100,
overviewGranularity: options.filter?.overviewGranularity ?? 90,
zoomGranularity: options.filter?.zoomGranularity ?? 90,
elementFilters: options.filter?.elementFilters ?? [],
};
const initialFilterID = uniqueId(SEARCH_FILTER_PREFIX);
const filtersByID: Record<string, SearchFilter | undefined> = {};
filtersByID[initialFilterID] = initialFilter;
const modifiedQuery =
initialFilter.elementFilters.length === 0 ? query : await modifyOneQuery(query, initialFilter.elementFilters);
const searchInitMsg = await initiateSearch(rawSubscription, modifiedQuery, {
initialFilterID,
metadata: options.metadata,
range:
initialFilter.dateRange === 'preview'
? 'preview'
: [initialFilter.dateRange.start, initialFilter.dateRange.end],
noHistory: options.noHistory,
});
const searchTypeID = searchInitMsg.data.OutputSearchSubproto;
const isResponseError = filterMessageByCommand(SearchMessageCommands.ResponseError);
const searchMessages$ = rawSubscription.received$.pipe(
filter(msg => msg.type === searchTypeID),
tap(msg => {
// Throw if the search message command is Error
if (isResponseError(msg)) {
throw new Error(msg.data.Error);
}
// Listen for close messages and emit on close$
const isCloseMsg = filterMessageByCommand(SearchMessageCommands.Close);
if (isCloseMsg(msg)) {
close$.next();
close$.complete();
closed = true;
}
}),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const rendererType = searchInitMsg.data.RenderModule;
type DateRange = { start: Date; end: Date };
const previewDateRange: DateRange = await (async (): Promise<DateRange> => {
// Not in preview mode, so return the initial filter date range, whatever, it won't be used
if (initialFilter.dateRange !== 'preview') return initialFilter.dateRange;
// In preview mode, so we need to request search details and use the timerange that we get back
const detailsP = firstValueFrom(
searchMessages$.pipe(filter(filterMessageByCommand(SearchMessageCommands.RequestDetails))),
);
const requestDetailsMsg: RawRequestSearchDetailsMessageSent = {
type: searchTypeID,
data: { ID: SearchMessageCommands.RequestDetails },
};
rawSubscription.send(requestDetailsMsg);
const details = await detailsP;
return {
start: new Date(details.data.SearchInfo.StartRange),
end: new Date(details.data.SearchInfo.EndRange),
};
})();
const close = async (): Promise<void> => {
if (closed) return undefined;
const closeMsg: RawRequestSearchCloseMessageSent = {
type: searchTypeID,
data: { ID: SearchMessageCommands.Close },
};
await rawSubscription.send(closeMsg);
// Wait for closed message to be received
await lastValueFrom(close$);
};
const progress$: Observable<Percentage> = searchMessages$.pipe(
map(msg => (msg as Partial<RawResponseForSearchDetailsMessageReceived>).data?.Finished ?? null),
filter(isBoolean),
map(done => (done ? 1 : 0)),
distinctUntilChanged(),
map(rawPercentage => new Percentage(rawPercentage)),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const entries$: Observable<SearchEntries> = searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestEntriesWithinRange)),
map(
(msg): SearchEntries => {
const base = toSearchEntries(rendererType, msg);
const filterID = (msg.data.Addendum?.filterID as string | undefined) ?? null;
const filter = filtersByID[filterID ?? ''] ?? undefined;
return { ...base, filter } as SearchEntries;
},
),
tap(entries => {
const defDesiredGranularity = getDefaultGranularityByRendererType(entries.type);
initialFilter.desiredGranularity = defDesiredGranularity;
}),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const _filter$ = new BehaviorSubject<SearchFilter>(initialFilter);
const setFilter = (filter: SearchFilter | null): void => {
if (closed) return undefined;
_filter$.next(filter ?? initialFilter);
};
const filter$ = createRequiredSearchFilterObservable({
filter$: _filter$.asObservable(),
initialFilter,
previewDateRange,
defaultValues: {
dateStart: defaultStart,
dateEnd: defaultEnd,
},
}).pipe(
// Complete when/if the user calls .close()
takeUntil(close$),
);
const nextDetailsMsg = () =>
firstValueFrom(
searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestDetails)),
// cleanup: Complete when/if the user calls .close()
takeUntil(close$),
),
);
let pollingSubs: Subscription;
const requestEntries = async (filter: RequiredSearchFilter): Promise<void> => {
if (closed) return undefined;
if (!isNil(pollingSubs)) {
pollingSubs.unsubscribe();
}
pollingSubs = new Subscription();
const filterID = uniqueId(SEARCH_FILTER_PREFIX);
filtersByID[filterID] = filter;
const first = filter.entriesOffset.index;
const last = first + filter.entriesOffset.count;
const startDate = filter.dateRange === 'preview' ? previewDateRange.start : filter.dateRange.start;
const start = startDate.toISOString();
const endDate = filter.dateRange === 'preview' ? previewDateRange.end : filter.dateRange.end;
const end = endDate.toISOString();
// TODO: Filter by .desiredGranularity and .fieldFilters
// Set up a promise to wait for the next details message
const detailsMsgP = nextDetailsMsg();
// Send a request for details
const requestDetailsMsg: RawRequestSearchDetailsMessageSent = {
type: searchTypeID,
data: { ID: SearchMessageCommands.RequestDetails, Addendum: { filterID } },
};
const detailsP = rawSubscription.send(requestDetailsMsg);
// Grab the results from the details response (we need it later)
const detailsResults = await Promise.all([detailsP, detailsMsgP]);
const detailsMsg = detailsResults[1];
// Dynamic duration for debounce after each event, starting from 1s and increasing 500ms after each event,
// never surpass 4s, reset to 1s if the request is finished
const debounceOptions = {
initialDueTime: 1000,
step: 500,
maxDueTime: 4000,
predicate: (isFinished: boolean) => isFinished === false, // increase backoff while isFinished is false
};
// Keep sending requests for search details until Finished is true
pollingSubs.add(
rawSearchDetails$
.pipe(
// We've already received one details message - use it to start
startWith(detailsMsg),
// Extract the property that indicates if the data is finished
map(details => details.data.Finished),
// Add dynamic debounce after each message
debounceWithBackoffWhile(debounceOptions),
// Filter out finished events
rxjsFilter(isFinished => isFinished === false),
concatMap(() => rawSubscription.send(requestDetailsMsg)),
catchError(() => EMPTY),
takeUntil(close$),
)
.subscribe(),
);
const requestEntriesMsg: RawRequestSearchEntriesWithinRangeMessageSent = {
type: searchTypeID,
data: {
ID: SearchMessageCommands.RequestEntriesWithinRange,
Addendum: { filterID },
EntryRange: {
First: first,
Last: last,
StartTS: start,
EndTS: end,
},
},
};
// Keep sending requests for entries until finished is true
pollingSubs.add(
entries$
.pipe(
// Extract the property that indicates if the data is finished
map(entries => entries.finished),
// Add dynamic debounce after each message
debounceWithBackoffWhile(debounceOptions),
// Filter out finished events
rxjsFilter(isFinished => isFinished === false),
concatMap(() => rawSubscription.send(requestEntriesMsg)),
catchError(() => EMPTY),
takeUntil(close$),
)
.subscribe(),
);
const entriesP = rawSubscription.send(requestEntriesMsg);
const requestStatsMessage: RawRequestSearchStatsMessageSent = {
type: searchTypeID,
data: {
ID: SearchMessageCommands.RequestAllStats,
Addendum: { filterID },
Stats: { SetCount: filter.overviewGranularity },
},
};
// Keep sending requests for stats until finished is true
pollingSubs.add(
rawSearchStats$
.pipe(
// Extract the property that indicates if the data is finished
map(stats => stats.data.Finished ?? false),
// Add dynamic debounce after each message
debounceWithBackoffWhile(debounceOptions),
// Filter out finished events
rxjsFilter(isFinished => isFinished === false),
concatMap(() => rawSubscription.send(requestStatsMessage)),
catchError(() => EMPTY),
takeUntil(close$),
)
.subscribe(),
);
const statsP = rawSubscription.send(requestStatsMessage);
const requestStatsWithinRangeMsg: RawRequestSearchStatsWithinRangeMessageSent = {
type: searchTypeID,
data: {
ID: SearchMessageCommands.RequestStatsInRange,
Addendum: { filterID },
Stats: {
SetCount: filter.zoomGranularity,
SetEnd: recalculateZoomEnd(
detailsMsg.data.SearchInfo.MinZoomWindow,
filter.zoomGranularity,
startDate,
endDate,
).toISOString(),
SetStart: start,
},
},
};
// Keep sending requests for stats-within-range until finished is true
pollingSubs.add(
rawStatsZoom$
.pipe(
// Extract the property that indicates if the data is finished
map(stats => stats.data.Finished ?? false),
// Add dynamic debounce after each message
debounceWithBackoffWhile(debounceOptions),
// Filter out finished events
rxjsFilter(isFinished => isFinished === false),
concatMap(() => rawSubscription.send(requestStatsWithinRangeMsg)),
catchError(() => EMPTY),
takeUntil(close$),
)
.subscribe(),
);
const statsRangeP = rawSubscription.send(requestStatsWithinRangeMsg);
await Promise.all([entriesP, statsP, detailsP, statsRangeP]);
};
filter$.subscribe(filter => {
requestEntries(filter);
setTimeout(() => requestEntries(filter), 2000); // TODO: Change this
});
const rawSearchStats$ = searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestAllStats)),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const rawSearchDetails$ = searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestDetails)),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const rawStatsZoom$ = searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestStatsInRange)),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const stats$ = combineLatest([
rawSearchStats$.pipe(distinctUntilChanged<RawResponseForSearchStatsMessageReceived>(isEqual)),
rawSearchDetails$.pipe(distinctUntilChanged<RawResponseForSearchDetailsMessageReceived>(isEqual)),
]).pipe(
map(
([rawStats, rawDetails]): SearchStats => {
const filterID =
(rawStats.data.Addendum?.filterID as string | undefined) ??
(rawDetails.data.Addendum?.filterID as string | undefined) ??
null;
const filter = filtersByID[filterID ?? ''] ?? undefined;
const pipeline = rawStats.data.Stats.Set.map(s => s.Stats)
.reduce<
Array<Array<RawResponseForSearchStatsMessageReceived['data']['Stats']['Set'][number]['Stats'][number]>>
>((acc, curr) => {
curr.forEach((_curr, i) => {
if (isUndefined(acc[i])) acc[i] = [];
acc[i].push(_curr);
});
return acc;
}, [])
.map(s =>
s
.map(_s => ({
module: _s.Name,
arguments: _s.Args,
duration: _s.Duration,
input: {
bytes: _s.InputBytes,
entries: _s.InputCount,
},
output: {
bytes: _s.OutputBytes,
entries: _s.OutputCount,
},
}))
.reduce((acc, curr) => ({
...curr,
duration: acc.duration + curr.duration,
input: {
bytes: acc.input.bytes + curr.input.bytes,
entries: acc.input.entries + curr.input.entries,
},
output: {
bytes: acc.output.bytes + curr.output.bytes,
entries: acc.output.entries + curr.output.entries,
},
})),
);
return {
id: rawDetails.data.SearchInfo.ID,
userID: toNumericID(rawDetails.data.SearchInfo.UID),
filter,
finished: rawStats.data.Finished && rawDetails.data.Finished,
query: searchInitMsg.data.RawQuery,
effectiveQuery: searchInitMsg.data.SearchString,
metadata: searchInitMsg.data.Metadata,
entries: rawStats.data.EntryCount,
duration: rawDetails.data.SearchInfo.Duration,
start: new Date(rawDetails.data.SearchInfo.StartRange),
end: new Date(rawDetails.data.SearchInfo.EndRange),
minZoomWindow: rawDetails.data.SearchInfo.MinZoomWindow,
downloadFormats: rawDetails.data.SearchInfo.RenderDownloadFormats,
tags: searchInitMsg.data.Tags,
storeSize: rawDetails.data.SearchInfo.StoreSize,
processed: {
entries: pipeline[0]?.input?.entries ?? 0,
bytes: pipeline[0]?.input?.bytes ?? 0,
},
pipeline,
};
},
),
distinctUntilChanged<SearchStats>(isEqual),
shareReplay({ bufferSize: 1, refCount: false }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const statsOverview$ = rawSearchStats$.pipe(
map(set => {
return { frequencyStats: countEntriesFromModules(set) };
}),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const statsZoom$ = rawStatsZoom$.pipe(
map(set => {
const filterID = (set.data.Addendum?.filterID as string | undefined) ?? null;
const filter = filtersByID[filterID ?? ''] ?? undefined;
const filterEnd = filter?.dateRange === 'preview' ? previewDateRange.end : filter?.dateRange?.end;
const initialEnd = initialFilter.dateRange === 'preview' ? previewDateRange.end : initialFilter.dateRange.end;
const endDate = filterEnd ?? initialEnd;
return {
frequencyStats: countEntriesFromModules(set).filter(f => !isAfter(f.timestamp, endDate)),
filter,
};
}),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const errors$: Observable<Error> = searchMessages$.pipe(
// Skip every regular message. We only want to emit when there's an error
skipUntil(NEVER),
// When there's an error, catch it and emit it
catchError(err => of(err)),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
return {
searchID: searchInitMsg.data.SearchID.toString(),
progress$,
entries$,
stats$,
statsOverview$,
statsZoom$,
errors$,
setFilter,
close,
};
};
}
Example #21
Source File: subscribe-to-one-explorer-search.ts From js-client with MIT License | 4 votes |
makeSubscribeToOneExplorerSearch = (context: APIContext) => {
const modifyOneQuery = makeModifyOneQuery(context);
const subscribeToOneRawSearch = makeSubscribeToOneRawSearch(context);
let rawSubscriptionP: ReturnType<typeof subscribeToOneRawSearch> | null = null;
let closedSub: Subscription | null = null;
return async (
query: Query,
options: { filter?: SearchFilter; metadata?: RawJSON; noHistory?: boolean } = {},
): Promise<ExplorerSearchSubscription> => {
if (isNull(rawSubscriptionP)) {
rawSubscriptionP = subscribeToOneRawSearch();
if (closedSub?.closed === false) {
closedSub.unsubscribe();
}
// Handles websocket hangups
closedSub = from(rawSubscriptionP)
.pipe(concatMap(rawSubscription => rawSubscription.received$))
.subscribe({
complete: () => {
rawSubscriptionP = null;
},
});
}
const rawSubscription = await rawSubscriptionP;
// The default end date is now
const defaultEnd = new Date();
// The default start date is one hour ago
const defaultStart = subHours(defaultEnd, 1);
let closed = false;
const close$ = new Subject<void>();
const initialFilter = {
entriesOffset: {
index: options.filter?.entriesOffset?.index ?? 0,
count: options.filter?.entriesOffset?.count ?? 100,
},
dateRange:
options.filter?.dateRange === 'preview'
? ('preview' as const)
: {
start: options.filter?.dateRange?.start ?? defaultStart,
end: options.filter?.dateRange?.end ?? defaultEnd,
},
// *NOTE: The default granularity is recalculated when we receive the renderer type
desiredGranularity: options.filter?.desiredGranularity ?? 100,
overviewGranularity: options.filter?.overviewGranularity ?? 90,
zoomGranularity: options.filter?.zoomGranularity ?? 90,
elementFilters: options.filter?.elementFilters ?? [],
};
const initialFilterID = uniqueId(SEARCH_FILTER_PREFIX);
const filtersByID: Record<string, SearchFilter | undefined> = {};
filtersByID[initialFilterID] = initialFilter;
const modifiedQuery =
initialFilter.elementFilters.length === 0 ? query : await modifyOneQuery(query, initialFilter.elementFilters);
const searchInitMsg = await initiateSearch(rawSubscription, modifiedQuery, {
initialFilterID,
metadata: options.metadata,
range:
initialFilter.dateRange === 'preview'
? 'preview'
: [initialFilter.dateRange.start, initialFilter.dateRange.end],
noHistory: options.noHistory,
});
const searchTypeID = searchInitMsg.data.OutputSearchSubproto;
const isResponseError = filterMessageByCommand(SearchMessageCommands.ResponseError);
const searchMessages$ = rawSubscription.received$.pipe(
filter(msg => msg.type === searchTypeID),
tap(msg => {
// Throw if the search message command is Error
if (isResponseError(msg)) {
throw new Error(msg.data.Error);
}
// Listen for close messages and emit on close$
const isCloseMsg = filterMessageByCommand(SearchMessageCommands.Close);
if (isCloseMsg(msg)) {
close$.next();
close$.complete();
closed = true;
}
}),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const rendererType = searchInitMsg.data.RenderModule;
type DateRange = { start: Date; end: Date };
const previewDateRange: DateRange = await (async (): Promise<DateRange> => {
// Not in preview mode, so return the initial filter date range, whatever, it won't be used
if (initialFilter.dateRange !== 'preview') return initialFilter.dateRange;
// In preview mode, so we need to request search details and use the timerange that we get back
const detailsP = firstValueFrom(
searchMessages$.pipe(filter(filterMessageByCommand(SearchMessageCommands.RequestDetails))),
);
const requestDetailsMsg: RawRequestSearchDetailsMessageSent = {
type: searchTypeID,
data: { ID: SearchMessageCommands.RequestDetails },
};
rawSubscription.send(requestDetailsMsg);
const details = await detailsP;
return {
start: new Date(details.data.SearchInfo.StartRange),
end: new Date(details.data.SearchInfo.EndRange),
};
})();
const close = async (): Promise<void> => {
if (closed) return undefined;
const closeMsg: RawRequestSearchCloseMessageSent = {
type: searchTypeID,
data: { ID: SearchMessageCommands.Close },
};
await rawSubscription.send(closeMsg);
// Wait for closed message to be received
await lastValueFrom(close$);
};
const progress$: Observable<Percentage> = searchMessages$.pipe(
map(msg => (msg as Partial<RawResponseForSearchDetailsMessageReceived>).data?.Finished ?? null),
filter(isBoolean),
map(done => (done ? 1 : 0)),
distinctUntilChanged(),
map(rawPercentage => new Percentage(rawPercentage)),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const entries$: Observable<ExplorerSearchEntries> = searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestExplorerEntriesWithinRange)),
map(
(msg): ExplorerSearchEntries => {
const base = toSearchEntries(rendererType, msg);
const filterID = (msg.data.Addendum?.filterID as string | undefined) ?? null;
const filter = filtersByID[filterID ?? ''] ?? undefined;
const searchEntries = { ...base, filter } as SearchEntries;
const explorerEntries = (msg.data.Explore ?? []).map(toDataExplorerEntry);
return { ...searchEntries, explorerEntries };
},
),
tap(entries => {
const defDesiredGranularity = getDefaultGranularityByRendererType(entries.type);
initialFilter.desiredGranularity = defDesiredGranularity;
}),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const _filter$ = new BehaviorSubject<SearchFilter>(initialFilter);
const setFilter = (filter: SearchFilter | null): void => {
if (closed) return undefined;
_filter$.next(filter ?? initialFilter);
};
const filter$ = createRequiredSearchFilterObservable({
filter$: _filter$.asObservable(),
initialFilter,
previewDateRange,
defaultValues: {
dateStart: defaultStart,
dateEnd: defaultEnd,
},
}).pipe(
// Complete when/if the user calls .close()
takeUntil(close$),
);
const nextDetailsMsg = () =>
firstValueFrom(
searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestDetails)),
// cleanup: Complete when/if the user calls .close()
takeUntil(close$),
),
);
let pollingSubs: Subscription;
const requestEntries = async (filter: RequiredSearchFilter): Promise<void> => {
if (closed) return undefined;
if (!isNil(pollingSubs)) {
pollingSubs.unsubscribe();
}
pollingSubs = new Subscription();
const filterID = uniqueId(SEARCH_FILTER_PREFIX);
filtersByID[filterID] = filter;
const first = filter.entriesOffset.index;
const last = first + filter.entriesOffset.count;
const startDate = filter.dateRange === 'preview' ? previewDateRange.start : filter.dateRange.start;
const start = startDate.toISOString();
const endDate = filter.dateRange === 'preview' ? previewDateRange.end : filter.dateRange.end;
const end = endDate.toISOString();
// TODO: Filter by .desiredGranularity and .fieldFilters
// Set up a promise to wait for the next details message
const detailsMsgP = nextDetailsMsg();
// Send a request for details
const requestDetailsMsg: RawRequestSearchDetailsMessageSent = {
type: searchTypeID,
data: { ID: SearchMessageCommands.RequestDetails, Addendum: { filterID } },
};
const detailsP = rawSubscription.send(requestDetailsMsg);
// Grab the results from the details response (we need it later)
const detailsResults = await Promise.all([detailsP, detailsMsgP]);
const detailsMsg = detailsResults[1];
// Dynamic duration for debounce a after each event, starting from 1s and increasing 500ms after each event,
// never surpass 4s, reset to 1s if the request is finished
const debounceOptions = {
initialDueTime: 1000,
step: 500,
maxDueTime: 4000,
predicate: (isFinished: boolean) => isFinished === false, // increase backoff while isFinished is false
};
// Keep sending requests for search details until Finished is true
pollingSubs.add(
rawSearchDetails$
.pipe(
// We've already received one details message - use it to start
startWith(detailsMsg),
// Extract the property that indicates if the data is finished
map(details => (details ? details.data.Finished : false)),
// Add dynamic debounce after each message
debounceWithBackoffWhile(debounceOptions),
// Filter out finished events
rxjsFilter(isFinished => isFinished === false),
concatMap(() => rawSubscription.send(requestDetailsMsg)),
catchError(() => EMPTY),
takeUntil(close$),
)
.subscribe(),
);
const requestEntriesMsg: RawRequestExplorerSearchEntriesWithinRangeMessageSent = {
type: searchTypeID,
data: {
ID: SearchMessageCommands.RequestExplorerEntriesWithinRange,
Addendum: { filterID },
EntryRange: {
First: first,
Last: last,
StartTS: start,
EndTS: end,
},
},
};
// Keep sending requests for entries until finished is true
pollingSubs.add(
entries$
.pipe(
// Extract the property that indicates if the data is finished
map(entries => (entries ? entries.finished : false)),
// Add dynamic debounce after each message
debounceWithBackoffWhile(debounceOptions),
// Filter out finished events
rxjsFilter(isFinished => isFinished === false),
concatMap(() => rawSubscription.send(requestEntriesMsg)),
catchError(() => EMPTY),
takeUntil(close$),
)
.subscribe(),
);
const entriesP = rawSubscription.send(requestEntriesMsg);
const requestStatsMessage: RawRequestSearchStatsMessageSent = {
type: searchTypeID,
data: {
ID: SearchMessageCommands.RequestAllStats,
Addendum: { filterID },
Stats: { SetCount: filter.overviewGranularity },
},
};
// Keep sending requests for stats until finished is true
pollingSubs.add(
rawSearchStats$
.pipe(
// Extract the property that indicates if the data is finished
map(stats => stats.data.Finished ?? false),
// Add dynamic debounce after each message
debounceWithBackoffWhile(debounceOptions),
// Filter out finished events
rxjsFilter(isFinished => isFinished === false),
concatMap(() => rawSubscription.send(requestStatsMessage)),
catchError(() => EMPTY),
takeUntil(close$),
)
.subscribe(),
);
const statsP = rawSubscription.send(requestStatsMessage);
const requestStatsWithinRangeMsg: RawRequestSearchStatsWithinRangeMessageSent = {
type: searchTypeID,
data: {
ID: SearchMessageCommands.RequestStatsInRange,
Addendum: { filterID },
Stats: {
SetCount: filter.zoomGranularity,
SetEnd: recalculateZoomEnd(
detailsMsg ? detailsMsg.data.SearchInfo.MinZoomWindow : 1,
filter.zoomGranularity,
startDate,
endDate,
).toISOString(),
SetStart: start,
},
},
};
// Keep sending requests for stats-within-range until finished is true
pollingSubs.add(
rawStatsZoom$
.pipe(
// Extract the property that indicates if the data is finished
map(stats => stats.data.Finished ?? false),
// Add dynamic debounce after each message
debounceWithBackoffWhile(debounceOptions),
// Filter out finished events
rxjsFilter(isFinished => isFinished === false),
concatMap(() => rawSubscription.send(requestStatsWithinRangeMsg)),
catchError(() => EMPTY),
takeUntil(close$),
)
.subscribe(),
);
const statsRangeP = rawSubscription.send(requestStatsWithinRangeMsg);
await Promise.all([entriesP, statsP, detailsP, statsRangeP]);
};
filter$.subscribe(filter => {
requestEntries(filter);
setTimeout(() => requestEntries(filter), 2000); // TODO: Change this
});
const rawSearchStats$ = searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestAllStats)),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const rawSearchDetails$ = searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestDetails)),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const rawStatsZoom$ = searchMessages$.pipe(
filter(filterMessageByCommand(SearchMessageCommands.RequestStatsInRange)),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const stats$ = combineLatest([
rawSearchStats$.pipe(distinctUntilChanged<RawResponseForSearchStatsMessageReceived>(isEqual)),
rawSearchDetails$.pipe(distinctUntilChanged<RawResponseForSearchDetailsMessageReceived>(isEqual)),
]).pipe(
map(
([rawStats, rawDetails]): SearchStats => {
const filterID =
(rawStats.data.Addendum?.filterID as string | undefined) ??
(rawDetails.data.Addendum?.filterID as string | undefined) ??
null;
const filter = filtersByID[filterID ?? ''] ?? undefined;
const pipeline = rawStats.data.Stats.Set.map(s => s.Stats)
.reduce<
Array<Array<RawResponseForSearchStatsMessageReceived['data']['Stats']['Set'][number]['Stats'][number]>>
>((acc, curr) => {
curr.forEach((_curr, i) => {
if (isUndefined(acc[i])) acc[i] = [];
acc[i].push(_curr);
});
return acc;
}, [])
.map(s =>
s
.map(_s => ({
module: _s.Name,
arguments: _s.Args,
duration: _s.Duration,
input: {
bytes: _s.InputBytes,
entries: _s.InputCount,
},
output: {
bytes: _s.OutputBytes,
entries: _s.OutputCount,
},
}))
.reduce((acc, curr) => ({
...curr,
duration: acc.duration + curr.duration,
input: {
bytes: acc.input.bytes + curr.input.bytes,
entries: acc.input.entries + curr.input.entries,
},
output: {
bytes: acc.output.bytes + curr.output.bytes,
entries: acc.output.entries + curr.output.entries,
},
})),
);
return {
id: rawDetails.data.SearchInfo.ID,
userID: toNumericID(rawDetails.data.SearchInfo.UID),
filter,
finished: rawStats.data.Finished && rawDetails.data.Finished,
query: searchInitMsg.data.RawQuery,
effectiveQuery: searchInitMsg.data.SearchString,
metadata: searchInitMsg.data.Metadata,
entries: rawStats.data.EntryCount,
duration: rawDetails.data.SearchInfo.Duration,
start: new Date(rawDetails.data.SearchInfo.StartRange),
end: new Date(rawDetails.data.SearchInfo.EndRange),
minZoomWindow: rawDetails.data.SearchInfo.MinZoomWindow,
downloadFormats: rawDetails.data.SearchInfo.RenderDownloadFormats,
tags: searchInitMsg.data.Tags,
storeSize: rawDetails.data.SearchInfo.StoreSize,
processed: {
entries: pipeline[0]?.input?.entries ?? 0,
bytes: pipeline[0]?.input?.bytes ?? 0,
},
pipeline,
};
},
),
distinctUntilChanged<SearchStats>(isEqual),
shareReplay({ bufferSize: 1, refCount: false }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const statsOverview$ = rawSearchStats$.pipe(
map(set => {
return { frequencyStats: countEntriesFromModules(set) };
}),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const statsZoom$ = rawStatsZoom$.pipe(
map(set => {
const filterID = (set.data.Addendum?.filterID as string | undefined) ?? null;
const filter = filtersByID[filterID ?? ''] ?? undefined;
const filterEnd = filter?.dateRange === 'preview' ? previewDateRange.end : filter?.dateRange?.end;
const initialEnd = initialFilter.dateRange === 'preview' ? previewDateRange.end : initialFilter.dateRange.end;
const endDate = filterEnd ?? initialEnd;
return {
frequencyStats: countEntriesFromModules(set).filter(f => !isAfter(f.timestamp, endDate)),
filter,
};
}),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
const errors$: Observable<Error> = searchMessages$.pipe(
// Skip every regular message. We only want to emit when there's an error
skipUntil(NEVER),
// When there's an error, catch it and emit it
catchError(err => of(err)),
shareReplay({ bufferSize: 1, refCount: true }),
// Complete when/if the user calls .close()
takeUntil(close$),
);
return {
searchID: searchInitMsg.data.SearchID.toString(),
progress$,
entries$,
stats$,
statsOverview$,
statsZoom$,
errors$,
setFilter,
close,
};
};
}