commit_hash stringlengths 40 40 | input stringlengths 13 7.99k | output stringlengths 5 155 | full_message stringlengths 6 8.96k |
|---|---|---|---|
6a14a23721c56aa1a570067501d69255e0454f35 | --- src/managerExperience/components/AssociateListItem/AssociateListItem.tsx
@@ -0,0 +1,115 @@
+import React, {useMemo} from 'react';
+import {View, Text} from 'react-native';
+import {associateListItemStyles} from './styles';
+import {
+ Button,
+ colors,
+ Icons,
+ Tag,
+ TagColor,
+} from '@walmart/gtp-shared-components';
+import {AssociateListItemProps, AssociateStatus, ClockStatusDot} from './types';
+
+const clockStatusMap: Record<AssociateStatus, ClockStatusDot> = {
+ [AssociateStatus.ClockedIn]: ClockStatusDot.Active,
+ [AssociateStatus.ClockedOut]: ClockStatusDot.Inactive,
+ [AssociateStatus.DoNotDisturb]: ClockStatusDot.Active,
+ [AssociateStatus.Meal]: ClockStatusDot.Inactive,
+ [AssociateStatus.Tardy]: ClockStatusDot.Inactive,
+ [AssociateStatus.Absent]: ClockStatusDot.Inactive,
+ [AssociateStatus.PPTO]: ClockStatusDot.Inactive,
+ [AssociateStatus.NotScheduled]: ClockStatusDot.Inactive,
+};
+
+const statusTagMap: Record<AssociateStatus, TagColor | undefined> = {
+ [AssociateStatus.ClockedIn]: undefined,
+ [AssociateStatus.ClockedOut]: undefined,
+ [AssociateStatus.DoNotDisturb]: 'spark',
+ [AssociateStatus.Meal]: 'blue',
+ [AssociateStatus.Tardy]: 'red',
+ [AssociateStatus.Absent]: 'red',
+ [AssociateStatus.PPTO]: 'purple',
+ [AssociateStatus.NotScheduled]: 'gray',
+};
+
+const generateAssociateInitials = (associateName: string) => {
+ const splitName = associateName.split(' ');
+ let initials = '';
+ splitName.forEach((name) => (initials += name[0]));
+ return initials;
+};
+
+export const AssociateListItem = ({
+ associateName,
+ associateRole,
+ associateType,
+ isLastItem = false,
+ status,
+ shiftStartTime,
+ shiftEndTime,
+ handleMessage,
+ handleViewSchedule,
+}: AssociateListItemProps) => {
+ const styles = useMemo(
+ () => associateListItemStyles(!isLastItem),
+ [isLastItem],
+ );
+
+ return (
+ <View style={styles.container}>
+ <View>
+ <View style={styles.initialsContainer}>
+ <Text style={styles.associateInitials}>
+ {generateAssociateInitials(associateName)}
+ </Text>
+ </View>
+ <View style={styles.clockStatusDotOuter}>
+ <View
+ style={
+ clockStatusMap[status] === ClockStatusDot.Active
+ ? styles.clockStatusDotActive
+ : styles.clockStatusDotInactive
+ }
+ />
+ </View>
+ </View>
+ <View style={styles.associateInfoContainer}>
+ <Text style={styles.associateName}>{associateName}</Text>
+ <Text style={styles.plainText}>{associateRole}</Text>
+ {associateType === 'teamAssociate' || associateType === 'teamLead' ? (
+ <View style={styles.associateSchedule}>
+ <Icons.ClockIcon color={colors.gray['160']} />
+ <Text style={styles.plainText}>
+ {`${shiftStartTime} - ${shiftEndTime}`}
+ </Text>
+ </View>
+ ) : (
+ ''
+ )}
+ {handleViewSchedule &&
+ (associateType === 'salariedAssociate' ||
+ associateType === 'teamLead') ? (
+ <Button
+ variant='tertiary'
+ size='small'
+ onPress={handleViewSchedule}
+ UNSAFE_style={styles.viewScheduleButton}>
+ <Text>View schedule</Text>
+ </Button>
+ ) : (
+ ''
+ )}
+ </View>
+ <View style={styles.tagAndButtonContainer}>
+ {statusTagMap[status] && (
+ <Tag variant='tertiary' color={statusTagMap[status]}>
+ <Text>{status}</Text>
+ </Tag>
+ )}
+ <Button variant='secondary' size='small' onPress={handleMessage}>
+ <Text>Message</Text>
+ </Button>
+ </View>
+ </View>
+ );
+};
--- src/managerExperience/components/AssociateListItem/index.ts
@@ -0,0 +1 @@
+export {AssociateListItem} from './AssociateListItem';
--- src/managerExperience/components/AssociateListItem/styles.tsx
@@ -0,0 +1,95 @@
+import {StyleSheet, ViewStyle} from 'react-native';
+import {colors} from '@walmart/gtp-shared-components';
+
+const clockedStatusDotShared: ViewStyle = {
+ width: 8,
+ height: 8,
+ borderRadius: 1000,
+ zIndex: 10,
+ borderWidth: 1,
+};
+
+export const associateListItemStyles = (hasBorder: boolean) =>
+ StyleSheet.create({
+ container: {
+ display: 'flex',
+ flexDirection: 'row',
+ width: '100%',
+ paddingTop: 16,
+ paddingBottom: 10,
+ borderBottomColor: colors.gray['20'],
+ borderBottomWidth: hasBorder ? 1 : 0,
+ },
+ initialsContainer: {
+ display: 'flex',
+ flexDirection: 'row',
+ justifyContent: 'center',
+ alignItems: 'center',
+ width: 40,
+ height: 40,
+ borderRadius: 1000,
+ marginRight: 12,
+ backgroundColor: colors.blue['20'],
+ position: 'relative',
+ },
+ associateInitials: {
+ color: colors.blue['130'],
+ },
+ clockStatusDotOuter: {
+ height: 12,
+ width: 12,
+ borderRadius: 1000,
+ backgroundColor: colors.white,
+ position: 'absolute',
+ top: 0,
+ right: 10,
+ display: 'flex',
+ flexDirection: 'row',
+ justifyContent: 'center',
+ alignItems: 'center',
+ },
+ clockStatusDotActive: {
+ ...clockedStatusDotShared,
+ borderColor: colors.green['100'],
+ backgroundColor: '#6DD400',
+ },
+ clockStatusDotInactive: {
+ ...clockedStatusDotShared,
+ borderColor: colors.gray['130'],
+ },
+ associateInfoContainer: {
+ display: 'flex',
+ flexDirection: 'column',
+ justifyContent: 'flex-start',
+ },
+ associateName: {
+ color: colors.gray['160'],
+ fontFamily: 'Bogle Bold',
+ fontSize: 16,
+ lineHeight: 24,
+ },
+ plainText: {
+ color: colors.gray['160'],
+ fontFamily: 'Bogle Regular',
+ fontSize: 14,
+ lineHeight: 20,
+ marginBottom: 4,
+ },
+ associateSchedule: {
+ display: 'flex',
+ flexDirection: 'row',
+ alignItems: 'center',
+ gap: 6,
+ },
+ tagAndButtonContainer: {
+ display: 'flex',
+ flexDirection: 'column',
+ justifyContent: 'space-between',
+ marginLeft: 'auto',
+ marginBottom: 6,
+ },
+ viewScheduleButton: {
+ marginTop: -6,
+ marginLeft: -32,
+ },
+ });
--- src/managerExperience/components/AssociateListItem/types.tsx
@@ -0,0 +1,29 @@
+export enum AssociateStatus {
+ ClockedIn = 'Clocked in',
+ ClockedOut = 'Clocked out',
+ DoNotDisturb = 'Do not disturb',
+ Meal = 'Meal',
+ Tardy = 'Tardy',
+ Absent = 'Absent',
+ PPTO = 'PPTO',
+ NotScheduled = 'Not scheduled',
+}
+
+export interface AssociateListItemProps {
+ associateName: string;
+ associateRole: string;
+ associateType: AssociateType;
+ isLastItem?: boolean;
+ status: AssociateStatus;
+ shiftStartTime?: string;
+ shiftEndTime?: string;
+ handleMessage: () => void;
+ handleViewSchedule?: () => void;
+}
+
+export type AssociateType = 'teamLead' | 'teamAssociate' | 'salariedAssociate';
+
+export enum ClockStatusDot {
+ Active = 'active',
+ Inactive = 'inactive',
+}
| feat: created initial associate list item component | feat: created initial associate list item component
|
d62b9dbc7bada6d1c345ce06cd057bb93c4f25e9 | --- core/__tests__/home/components/GreetingRow/__snapshots__/SiteInfoTest.tsx.snap
@@ -32,7 +32,7 @@ exports[`BasSiteInfoeGreeting matches snapshot when given color and change site
]
}
>
- siteBanner 100
+ site 100
</Subheader>
</View>
`;
@@ -72,7 +72,7 @@ exports[`BasSiteInfoeGreeting matches snapshot; navigates on press 1`] = `
]
}
>
- storeBanner 100
+ store 100
</Subheader>
</LinkButton>
</View>
--- core/__tests__/navigation/USHallway/FallbackScreenTest.tsx
@@ -1,9 +1,10 @@
+import React from 'react';
import {render} from '@testing-library/react-native';
import {FallbackScreen} from '../../../src/navigation/USHallway/FallbackScreen';
describe('FallbackScreen', () => {
it('matches snapshot', async () => {
- const {toJSON} = render(FallbackScreen);
+ const {toJSON} = render(<FallbackScreen />);
expect(toJSON()).toMatchSnapshot();
});
});
--- core/__tests__/navigation/USHallway/PreHireHallwayNav/__snapshots__/indexTest.tsx.snap
@@ -1,16 +1,3 @@
// Jest Snapshot v1, https://goo.gl/fbAQLP
-exports[`PreHireHallway matches snapshot 1`] = `
-<View
- style={
- {
- "flex": 1,
- "justifyContent": "center",
- }
- }
->
- <ActivityIndicator
- size="large"
- />
-</View>
-`;
+exports[`PreHireHallway matches snapshot 1`] = `null`;
--- core/__tests__/navigation/USHallway/UserRootNavTest.tsx
@@ -24,7 +24,9 @@ describe('UserRootNav', () => {
it('matches snapshot when pre hire', () => {
mockUseSelector.mockReturnValueOnce(UserType.prehire); // userType
- const component = render(<UserRootNav />);
+ const component = render(
+ <UserRootNav navigation={{setOptions: jest.fn()}} />,
+ );
expect(component.toJSON()).toMatchSnapshot();
expect(mockDispatch).toHaveBeenCalledWith(
ContainerActionCreators.SAFE_FOR_FEATURES(),
@@ -33,7 +35,9 @@ describe('UserRootNav', () => {
it('matches snapshot when associate', () => {
mockUseSelector.mockReturnValueOnce(UserType.associate); // userType
- const component = render(<UserRootNav />);
+ const component = render(
+ <UserRootNav navigation={{setOptions: jest.fn()}} />,
+ );
expect(component.toJSON()).toMatchSnapshot();
expect(mockDispatch).toHaveBeenCalledWith(
ContainerActionCreators.SAFE_FOR_FEATURES(),
--- core/__tests__/navigation/USHallway/__snapshots__/UserRootNavTest.tsx.snap
@@ -1,5 +1,27 @@
// Jest Snapshot v1, https://goo.gl/fbAQLP
-exports[`UserRootNav matches snapshot when associate 1`] = `<AssociateHallway />`;
+exports[`UserRootNav matches snapshot when associate 1`] = `
+<AssociateHallway
+ navigation={
+ {
+ "setOptions": [MockFunction] {
+ "calls": [
+ [
+ {
+ "headerShown": false,
+ },
+ ],
+ ],
+ "results": [
+ {
+ "type": "return",
+ "value": undefined,
+ },
+ ],
+ },
+ }
+ }
+/>
+`;
exports[`UserRootNav matches snapshot when pre hire 1`] = `<PreHireHallway />`;
--- core/__tests__/navigation/__snapshots__/RootStackTest.tsx.snap
@@ -17,6 +17,10 @@ exports[`RootNav matches snapshot when app accessible 1`] = `
{
"animationTypeForReplace": "push",
"gestureEnabled": false,
+ "header": [Function],
+ "headerLeft": [Function],
+ "headerShown": true,
+ "title": "appNames.core",
}
}
/>
| chore: test fixes | chore: test fixes
|
003071fee47b0766a1134aa222c3ce0f659647f8 | --- core/src/features/timeclock.tsx
@@ -18,8 +18,6 @@ import {
AllsparkReduxStore,
ConfigSelectors,
} from '@walmart/allspark-foundation';
-import {View} from 'react-native';
-import {Text} from 'react-native';
const OldTimeClockFeature = new AllsparkFeature('timeclock_v1');
// --- NOTICE --- //
@@ -147,7 +145,7 @@ const OldTimeClock = OldTimeClockFeature.createModule({
'Home.Temporary',
'TimeClock.Toast',
Toast,
- );
+ );
// Add geo validation switch to impersonation screen
const ImpersonationGeoClockSwitch = getImpersonationGeoClockSwitch();
--- core/src/manifest.ts
@@ -1,8 +1,6 @@
import {
AllsparkEnvironment,
AllsparkFeatureModule,
- AllsparkReduxStore,
- ConfigSelectors,
} from '@walmart/allspark-foundation';
import {ME_AT_WALMART} from '@walmart/me-at-walmart-common';
import {getTimeClockFeature} from './features/timeclock';
| ALLSPARK-4635: lint fixes | ALLSPARK-4635: lint fixes
|
827ba54f1931ed8497de392edaca1d2d012c06ec | --- packages/allspark-foundation-hub/src/SupplyChain/Components/ShiftFilter/ShiftFilter.tsx
@@ -49,10 +49,8 @@ export const ShiftFilter = ({
handleSelectShift(shiftName);
teamSelectionTelemetry.logEvent('supplychain_select_shift_event', {
message: 'Supplychain shift selected',
- networkType: trimToFortyCharacters(networkType ?? ''),
- division: trimToFortyCharacters(division?.description ?? ''),
- siteNumber: siteNumber?.toString() ?? '',
- jobProfileName: trimToFortyCharacters(jobProfileName ?? ''),
+division: division? trimToFortyCharacters(division.description) : '',
+jobProfileName: jobProfileName? trimToFortyCharacters(jobProfileName) : '',
});
};
const isSelected = selected?.includes(shiftName);
| Adding null check | Adding null check
Co-authored-by: AI Code Assistant <AI-Code-Assistant@email.wal-mart.com> |
a798b2b78dea19b63298bfd37617baaba38d3b5e | --- package-lock.json
@@ -55,7 +55,7 @@
"@walmart/impersonation-mini-app": "1.11.0",
"@walmart/ims-print-services-ui": "1.2.2",
"@walmart/inbox-mini-app": "0.81.7",
- "@walmart/iteminfo-mini-app": "5.3.5",
+ "@walmart/iteminfo-mini-app": "^5.3.5",
"@walmart/manager-approvals-miniapp": "0.2.1",
"@walmart/me-field-mini-app": "1.1.45",
"@walmart/metrics-mini-app": "0.9.38",
| Update package-lock.json | Update package-lock.json
fix: updated package.lock file |
a6fe50bfac8de408cba2a710b719c15358c45846 | --- core/__tests__/permissions/__snapshots__/LocationScreenTest.tsx.snap
@@ -62,7 +62,7 @@ exports[`LocationScreen matches snapshot 1`] = `
}
}
>
- notificationsTitle
+ locationTitle
</Text>
</View>
<View
@@ -81,7 +81,7 @@ exports[`LocationScreen matches snapshot 1`] = `
}
}
>
- notificationsMessage
+ locationMessage
</Text>
</View>
<PrimaryButton
--- core/src/permissions/LocationScreen.tsx
@@ -33,12 +33,10 @@ export const LocationScreen: FC<
<Image source={HeroImage} style={[styles.image, {height: ImageHeight}]} />
<View style={[styles.content, {marginBottom: insets.bottom}]}>
<View accessible={true} accessibilityRole={'header'}>
- <Text style={styles.title}>{translate('notificationsTitle')}</Text>
+ <Text style={styles.title}>{translate('locationTitle')}</Text>
</View>
<View accessible={true}>
- <Text style={styles.message}>
- {translate('notificationsMessage')}
- </Text>
+ <Text style={styles.message}>{translate('locationMessage')}</Text>
</View>
<PrimaryButton
testID='enableButton'
| fix location title from notification | fix location title from notification
|
929bbc22f13c58f9b1d9a83e3f74a0e5f95ecb0a | --- packages/allspark-foundation-hub/src/HubFeature/Hub/Container/Screens/HubDashboard.tsx
@@ -85,11 +85,13 @@ export const HubDashboard = ({ name, widgets }: HubDashboardProps) => {
?.managerExperiencePreferences?.myTeams;
getMyTeamData().then((myTeamData) => {
- const isUserOnboarded =
- eligibleForOnboarding && myTeamData && myTeamData.length >= 0;
- if (!isUserOnboarded) {
- dispatch(ManagerExperienceCreators.startUserOnboarding());
- AllsparkNavigationClient.navigate('managerExperience.teamOnboarding');
+ if (myTeamData !== undefined) {
+ const isUserOnboarded =
+ eligibleForOnboarding && myTeamData && myTeamData.length >= 0;
+ if (!isUserOnboarded) {
+ dispatch(ManagerExperienceCreators.startUserOnboarding());
+ AllsparkNavigationClient.navigate('managerExperience.teamOnboarding');
+ }
}
});
}, [
| feat(ui): Update navigation for onboarding | feat(ui): Update navigation for onboarding
|
37c2426e89634673209a4468dfa7e66d0969eb15 | --- targets/US/ios/Podfile.lock
@@ -1939,7 +1939,7 @@ PODS:
- React-Core
- react-native-safe-area-context (4.10.8):
- React-Core
- - react-native-scanner-3.0 (0.10.4):
+ - react-native-scanner-3.0 (0.10.7):
- Firebase/Analytics
- Osiris (= 0.8.3-rc.6)
- OsirisBarcode (= 0.8.3-rc.6)
@@ -2872,7 +2872,7 @@ SPEC CHECKSUMS:
react-native-pdf: 103940c90d62adfd259f63cca99c7c0c306b514c
react-native-render-html: 984dfe2294163d04bf5fe25d7c9f122e60e05ebe
react-native-safe-area-context: b7daa1a8df36095a032dff095a1ea8963cb48371
- react-native-scanner-3.0: feb691881135ab06bcc2d55d787315ab125ca1f8
+ react-native-scanner-3.0: 83930b0ed074fa9d241562b04bb9ac81a1d1e680
react-native-splash-screen: 4312f786b13a81b5169ef346d76d33bc0c6dc457
react-native-video: c26780b224543c62d5e1b2a7244a5cd1b50e8253
react-native-view-shot: 6b7ed61d77d88580fed10954d45fad0eb2d47688
--- targets/US/package.json
@@ -131,7 +131,7 @@
"@walmart/react-native-encrypted-storage": "~1.1.3",
"@walmart/react-native-env": "~6.3.28",
"@walmart/react-native-logger": "1.35.0",
- "@walmart/react-native-scanner-3.0": "0.10.6",
+ "@walmart/react-native-scanner-3.0": "0.10.7",
"@walmart/react-native-shared-navigation": "~6.3.28",
"@walmart/react-native-store-map": "0.3.7",
"@walmart/react-native-sumo-sdk": "2.7.2-alpha.2",
--- yarn.lock
@@ -7047,7 +7047,7 @@ __metadata:
"@walmart/react-native-encrypted-storage": "npm:~1.1.3"
"@walmart/react-native-env": "npm:~6.3.28"
"@walmart/react-native-logger": "npm:1.35.0"
- "@walmart/react-native-scanner-3.0": "npm:0.10.6"
+ "@walmart/react-native-scanner-3.0": "npm:0.10.7"
"@walmart/react-native-shared-navigation": "npm:~6.3.28"
"@walmart/react-native-store-map": "npm:0.3.7"
"@walmart/react-native-sumo-sdk": "npm:2.7.2-alpha.2"
@@ -7623,12 +7623,12 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/react-native-scanner-3.0@npm:0.10.6":
- version: 0.10.6
- resolution: "@walmart/react-native-scanner-3.0@npm:0.10.6"
+"@walmart/react-native-scanner-3.0@npm:0.10.7":
+ version: 0.10.7
+ resolution: "@walmart/react-native-scanner-3.0@npm:0.10.7"
peerDependencies:
react-native: ">=0.47.1"
- checksum: 10c0/1019ab0e08b6b7e17210064c3f57d105738ecec641d5692e463822a3da2afc668fa877e8ff39c21e9b9d23e941776817652a9edb09e16bdfd3be809ab0b09c1a
+ checksum: 10c0/afe5646e890c89bc01c5532041e27c99c24e728752af75f2ce967a5741823c859fd504c5f3d14221d3418a17c4313b2a400ae95f4e846ec580c65c1e1e4e21d5
languageName: node
linkType: hard
| upgrade scanner version to 0.10.7 | upgrade scanner version to 0.10.7
|
d7114a552af2f5a1020667089d4cd5f3b25773ba | --- package-lock.json
@@ -3187,9 +3187,9 @@
"integrity": "sha512-0sVdqnfYb2Z90rZpk8drAttxOFKAIR3fAvOvFlVWOyxtPPXrAACOFzoTx++gO5SO5vZ1w6IlMKe8uTi2rpCWTA=="
},
"@walmart/schedule-mini-app": {
- "version": "0.2.75",
- "resolved": "https://npme.walmart.com/@walmart/schedule-mini-app/-/schedule-mini-app-0.2.75.tgz",
- "integrity": "sha512-ObLjLAi737RZX8KXZ7ZzfizQ90/mY5ig0GsNPWQ+OLVhSrQaXSOhOHByohzSYthNyC6qAKt1MuKfA9mZE1Tg9Q==",
+ "version": "0.2.76",
+ "resolved": "https://npme.walmart.com/@walmart/schedule-mini-app/-/schedule-mini-app-0.2.76.tgz",
+ "integrity": "sha512-fFBvhVhJ0w/wldj3iyDfe6jw95bazPBi3R4g5d+3vDOazM89sFPYItaZSmSrlD5qn6BWFSLbHrh5GnhjePBVTA==",
"requires": {
"@walmart/moment-walmart": "^1.0.4",
"@walmart/wfm-ui": "0.1.50",
--- package.json
@@ -79,7 +79,7 @@
"@walmart/react-native-logger": "^1.25.0",
"@walmart/react-native-shared-navigation": "^0.4.0",
"@walmart/redux-store": "^1.0.12",
- "@walmart/schedule-mini-app": "0.2.75",
+ "@walmart/schedule-mini-app": "0.2.76",
"@walmart/settings-mini-app": "1.2.3",
"@walmart/time-clock-mini-app": "0.3.2",
"@walmart/ui-components": "1.1.14",
| schedule mini app bump | schedule mini app bump
|
4c14228bea13984c1ff3c7f334ebdc5bebef1e28 | --- __tests__/setup.ts
@@ -1,16 +1,4 @@
jest.mock('react-native/Libraries/EventEmitter/NativeEventEmitter');
-jest.mock('@walmart/functional-components', () => {
- const mockHttpClient = {
- get: jest.fn(),
- post: jest.fn(),
- };
- return {
- defaultHttpClient: {
- clone: jest.fn(() => mockHttpClient),
- },
- mockHttpClient,
- };
-});
const {NativeModules} = require('react-native');
--- jest.config.js
@@ -28,6 +28,7 @@ module.exports = {
'<rootDir>/__tests__/setup.ts',
'<rootDir>/__tests__/__mocks__/',
'<rootDir>/__tests__/harness/',
+ '<rootDir>/scripts/dependencies-map/__tests__/*',
],
testResultsProcessor: 'jest-sonar-reporter',
silent: false, //Uncomment to suppress error and warnings in test output
--- package.json
@@ -100,6 +100,7 @@
"@walmart/redux-store": "6.3.29",
"@walmart/wmconnect-mini-app": "2.23.1",
"babel-jest": "^29.6.3",
+ "chance": "^1.1.11",
"crypto-js": "~4.2.0",
"eslint": "^8.19.0",
"expo": "^51.0.0",
--- yarn.lock
@@ -6233,6 +6233,7 @@ __metadata:
"@walmart/redux-store": "npm:6.3.29"
"@walmart/wmconnect-mini-app": "npm:2.23.1"
babel-jest: "npm:^29.6.3"
+ chance: "npm:^1.1.11"
crypto-js: "npm:~4.2.0"
eslint: "npm:^8.19.0"
expo: "npm:^51.0.0"
@@ -7461,6 +7462,13 @@ __metadata:
languageName: node
linkType: hard
+"chance@npm:^1.1.11":
+ version: 1.1.12
+ resolution: "chance@npm:1.1.12::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2Fchance%2F-%2Fchance-1.1.12.tgz"
+ checksum: 10c0/96686a72df9077852993476dc4a16ec7afb797bb26d74caf4a5c6f6786d73fcd3c821ededb88b23a5c7b8762718b5cc43ce07fdd1ea3f508826ba88b57c36329
+ languageName: node
+ linkType: hard
+
"change-case-all@npm:1.0.14":
version: 1.0.14
resolution: "change-case-all@npm:1.0.14::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2Fchange-case-all%2F-%2Fchange-case-all-1.0.14.tgz"
| feat(ui): update tests | feat(ui): update tests
|
e6697a83d65a0cc575f94f7ac91b6399e3e62508 | --- packages/allspark-authentication/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-authentication",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -22,8 +22,8 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.6",
- "@walmart/allspark-utils": "^5.0.0-alpha.6",
+ "@walmart/allspark-foundation": "^5.0.0-alpha.7",
+ "@walmart/allspark-utils": "^5.0.0-alpha.7",
"lodash": "~4.17.21",
"moment-timezone": "~0.5.37",
"ts-retry-promise": "~0.7.0"
--- packages/allspark-foundation/package.json
@@ -1,7 +1,7 @@
{
"name": "@walmart/allspark-foundation",
"private": false,
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -36,7 +36,7 @@
"@apollo/client": "^3.7.14",
"@lifeomic/axios-fetch": "3.0.1",
"@reduxjs/toolkit": "^1.9.5",
- "@walmart/allspark-utils": "^5.0.0-alpha.6",
+ "@walmart/allspark-utils": "^5.0.0-alpha.7",
"@walmart/gtp-shared-components": "^2.0.2",
"axios": "~1.2.4",
"crypto-js": "~4.1.1",
--- packages/allspark-graphql-client/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-graphql-client",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "> TODO: description",
"license": "ISC",
"main": "lib/index.js",
@@ -26,6 +26,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.6"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.7"
}
}
--- packages/allspark-http-client/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-http-client",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "",
"author": "rlane1 <russell.lane@walmart.com>",
"license": "ISC",
@@ -18,6 +18,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.6"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.7"
}
}
--- packages/allspark-utils/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-utils",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "",
"author": "rlane1 <russell.lane@walmart.com>",
"homepage": "",
--- packages/core-services-allspark/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/core-services-allspark",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -18,7 +18,7 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.6",
- "@walmart/me-at-walmart-container": "^5.0.0-alpha.6"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.7",
+ "@walmart/me-at-walmart-container": "^5.0.0-alpha.7"
}
}
--- packages/core-services/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/core-services",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "",
"main": "index.js",
"types": "index.d.ts",
@@ -15,7 +15,7 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.6",
- "@walmart/allspark-utils": "^5.0.0-alpha.6"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.7",
+ "@walmart/allspark-utils": "^5.0.0-alpha.7"
}
}
--- packages/core-utils/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/core-utils",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "Common functionality required across both container and mini apps.",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -18,6 +18,6 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-utils": "^5.0.0-alpha.6"
+ "@walmart/allspark-utils": "^5.0.0-alpha.7"
}
}
--- packages/core-widget-registry/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/core-widget-registry",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "Repo for Me@Walmart related widget registries",
"author": "rlane1 <russell.lane@walmart.com>",
"license": "ISC",
@@ -18,6 +18,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/me-at-walmart-container": "^5.0.0-alpha.6"
+ "@walmart/me-at-walmart-container": "^5.0.0-alpha.7"
}
}
--- packages/functional-components/package.json
@@ -1,7 +1,7 @@
{
"name": "@walmart/functional-components",
"private": false,
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "Functional Components",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -20,6 +20,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.6"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.7"
}
}
--- packages/me-at-walmart-athena-queries/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/me-at-walmart-athena-queries",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "> TODO: description",
"author": "rlane1 <russell.lane@walmart.com>",
"homepage": "",
@@ -22,6 +22,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/me-at-walmart-container": "^5.0.0-alpha.6"
+ "@walmart/me-at-walmart-container": "^5.0.0-alpha.7"
}
}
--- packages/me-at-walmart-container/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/me-at-walmart-container",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -25,8 +25,8 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.6",
- "@walmart/allspark-utils": "^5.0.0-alpha.6",
+ "@walmart/allspark-foundation": "^5.0.0-alpha.7",
+ "@walmart/allspark-utils": "^5.0.0-alpha.7",
"@walmart/config-components": "4.1.0-rc.4",
"jwt-decode": "^3.1.2"
},
@@ -38,9 +38,9 @@
"@react-native-firebase/crashlytics": "~15.1.1",
"@react-native-firebase/database": "~15.1.1",
"@react-native-firebase/perf": "~15.1.1",
- "@walmart/allspark-authentication": "^5.0.0-alpha.6",
- "@walmart/core-services": "^5.0.0-alpha.6",
- "@walmart/core-utils": "^5.0.0-alpha.6",
+ "@walmart/allspark-authentication": "^5.0.0-alpha.7",
+ "@walmart/core-services": "^5.0.0-alpha.7",
+ "@walmart/core-utils": "^5.0.0-alpha.7",
"@walmart/react-native-encrypted-storage": "~1.1.13",
"@walmart/react-native-logger": "1.29.0",
"@walmart/react-native-sumo-sdk": "2.4.0-rc.2",
@@ -57,7 +57,7 @@
"@react-native-firebase/crashlytics": ">=15.1",
"@react-native-firebase/database": ">=15.1",
"@react-native-firebase/perf": ">=15.1",
- "@walmart/allspark-authentication": ">=5.0.0-alpha.6",
+ "@walmart/allspark-authentication": ">=5.0.0-alpha.7",
"@walmart/react-native-encrypted-storage": ">=1.1",
"@walmart/react-native-logger": ">=1",
"@walmart/react-native-sumo-sdk": ">=2.4",
--- packages/redux-store/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/redux-store",
- "version": "5.0.0-alpha.6",
+ "version": "5.0.0-alpha.7",
"description": "Common redux store",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -19,6 +19,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.6"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.7"
}
}
| chore: bumping alpha version | chore: bumping alpha version
|
dd9fe291de151bcaea657c11a59b1843a17def17 | --- package-lock.json
@@ -4520,9 +4520,9 @@
}
},
"@walmart/taskit-mini-app": {
- "version": "0.23.0",
- "resolved": "https://npme.walmart.com/@walmart/taskit-mini-app/-/taskit-mini-app-0.23.0.tgz",
- "integrity": "sha512-ShgE2WKoen/xQaf/6RGTC5rtruXuIBP8h0hnObYHmi6AFycfnj2q7BXtd5YLCAdendCl6oBiGKsUfrVpQTHlFg=="
+ "version": "0.24.0",
+ "resolved": "https://npme.walmart.com/@walmart/taskit-mini-app/-/taskit-mini-app-0.24.0.tgz",
+ "integrity": "sha512-9YbDcX9uH3GadaI8ZTgULp9GDOvu7tYRWFOpyLrEA6KWbYpGfTHjRcjm1mmFpDzDQrjJAmCNsFSmiOA/Uwu2MA=="
},
"@walmart/time-clock-mini-app": {
"version": "0.5.2",
--- package.json
@@ -101,7 +101,7 @@
"@walmart/schedule-mini-app": "0.13.0",
"@walmart/settings-mini-app": "1.6.0",
"@walmart/shelfavailability-mini-app": "0.8.7",
- "@walmart/taskit-mini-app": "0.23.0",
+ "@walmart/taskit-mini-app": "0.24.0",
"@walmart/time-clock-mini-app": "0.5.2",
"@walmart/ui-components": "1.4.0-rc.0",
"@walmart/welcomeme-mini-app": "0.63.0",
| Updating taskIt version | Updating taskIt version
|
35af46ed33d06388aad199a28bb5714f7a0fb6b2 | --- __tests__/navigation/USHallway/AssociateHallwayNav/Tabs/__snapshots__/HomeStackNavTest.tsx.snap
@@ -7,6 +7,7 @@ exports[`HomeStackNav has expected behavior 1`] = `
{
"header": [Function],
"headerShown": true,
+ "title": "headerTitle",
}
}
>
--- src/navigation/USHallway/AssociateHallwayNav/MainStackNav.tsx
@@ -270,7 +270,6 @@ export const MainStackNav = () => {
options={{
headerShown: true,
title: t('forYou.headerTitle'), // Set initial title for the first tab, as this title is visible before onFocus.
-
}}
/>
--- src/navigation/USHallway/AssociateHallwayNav/Tabs/HomeStackNav.tsx
@@ -22,6 +22,7 @@ import {MINI_APPS} from '../../../../oneClick/MiniApps';
import {HomeStackMap, MainTabsScreenProps} from '../types';
import {styles} from './config';
import {getMyWalmartV2Enabled} from '@walmart/me-at-walmart-common';
+import { useTranslation } from 'react-i18next';
const HomeStack = createStackNavigator<HomeStackMap>();
@@ -40,6 +41,7 @@ export const HomeStackNav = (_: MainTabsScreenProps<'home'>) => {
const user = useSelector(UserSelectors.getData);
const inboxHeaderEnabled = useSelector(getInboxHeaderEnabled);
const enableV2 = useSelector(getMyWalmartV2Enabled)
+ const {t} = useTranslation(['home']);
if (!user) {
return (
@@ -52,7 +54,7 @@ export const HomeStackNav = (_: MainTabsScreenProps<'home'>) => {
return (
<HomeStack.Navigator
initialRouteName='home.root'
- screenOptions={{headerShown: true, header: Header}}>
+ screenOptions={{headerShown: true, header: Header, title: t('headerTitle')}}>
{HomeFeature.buildAllScreens({
Navigator: HomeStack,
})}
| fix(ui): header rendering issue | fix(ui): header rendering issue
|
fa62100bc36cba75d03e95e95a9cb1958a1607c8 | --- docs/docs/components/hub framework/hub-intro.md
@@ -20,6 +20,61 @@ With the Hub Foundation Framework, you can:
- Develop hubs that are scalable, flexible, and adaptable to changing business needs.
- Enhance the overall user experience for Walmart associates.
-## Documentation Overview
+## Let's Get Started!
-In this documentation, we'll guide you through the features, components, and best practices of the me@walmart Hub Foundation Framework, empowering you to build exceptional hubs that drive engagement, productivity, and success.
\ No newline at end of file
+In this documentation, we'll guide you through the features, components, and best practices of the me@walmart Hub Foundation Framework, empowering you to build exceptional hubs that drive engagement, productivity, and success.
+
+### Prerequisites
+The framework is primarily designed for me@ platform and is super opinionated in how processes and functionalities within a hub works. We don't recommend ever using any of the components within the hub framework outside me@ platform. With that said, let's discuss what are the prerequisites.
+
+* Nodejs: Should be same as allspark foundation requires.
+* npm: Same as required by allspark foundation.
+* Any dependencies ...
+
+### Installation
+The hub framework is deployed as an npm package, install through yarn which is our recommeneded package manager or through npm.
+
+```bash
+yarn add @walmart/allspark-foundation-hub
+```
+or via npm
+
+```bash
+npm install --save @walmart/allspark-foundation-hub
+```
+There are no dependencies required. The above are the only steps required to get going.
+
+### Setting Up a New Hub: A Step-by-Step Guide
+
+Before diving into the setup process, it's essential to understand the underlying concepts that power our hub framework. Take some time to review the [Hub Concepts](./hub-concepts.md) documentation to ensure you have a solid grasp of the framework's capabilities.
+
+**Who's Responsible for Setting Up a New Hub?**
+
+As the hub gatekeeper – essentially the owner of the hub – it's your responsibility to set up a new hub. Don't worry; the framework does most of the heavy lifting, making it easy to initialize a hub with just a few simple steps.
+
+**What Information Do I Need to Provide?**
+
+To create a new hub, you'll need to provide three essential pieces of information:
+
+1. **Well-formed hub name**: A unique and descriptive name for your hub.
+2. **CCM namespace**: The namespace for the Cloud Configuration Management (CCM), which manages the hub's configuration.
+3. **Root navigation name**: The name of the root navigation point for your hub.
+
+**Code Snippet: Initializing a Hub**
+
+Here's an example code snippet that demonstrates how to initialize a hub:
+```jsx
+import { AllsparkHubContainer } from '@walmart/allspark-foundation-hub';
+
+export const MyTeamHub = () => {
+ const MyTeamHubContainer = new AllsparkHubContainer()
+ .create('Me@Walmart.ManagerExperience.MyTeam', 'manager-experience', 'myTeam')
+ .validate()
+ .render();
+
+ return <>{MyTeamHubContainer}</>;
+};
+```
+In this example, we create a `TeamHub` feature and use the `createScreen` method to initialize the hub. The `AllsparkHubContainer` is used to create a new hub container with the provided information.
+
+With these steps in mind, you're ready to set up your first hub! Remember to consult the [Hub Concepts](./hub-concepts.md) documentation if you have any questions or need further clarification. Happy building!
\ No newline at end of file
| added more docs to intro page | added more docs to intro page
|
de9e649b5d5bb40d186100f1acad7c5c8bd9daf6 | --- src/hooks/teams.ts
@@ -7,7 +7,7 @@ import {useDailyRoster} from './roster';
import {Team} from '../queries/schema.types';
// import {useGetTeamByIdMock, useGetTeamsByStoreMock} from '../mocks';
-export const useGetTeamById = (teamId: string) => {
+export const useGetTeamById = (teamId: string, date?: Date) => {
// return useGetTeamByIdMock(teamId);
const storeNbr: string | undefined = useSelector(
SiteSelectors.getUserWorkingSite,
@@ -23,7 +23,12 @@ export const useGetTeamById = (teamId: string) => {
// }; // comment in if needed for testing
return useGetTeamByIdQuery({
- variables: {storeNbr: storeNbr!, teamId, countryCode: countryCode!},
+ variables: {
+ storeNbr: storeNbr!,
+ teamId,
+ date,
+ countryCode: countryCode!,
+ },
skip: !storeNbr || !countryCode,
});
};
--- src/hooks/teams.ts
@@ -7,7 +7,7 @@ import {useDailyRoster} from './roster';
import {Team} from '../queries/schema.types';
// import {useGetTeamByIdMock, useGetTeamsByStoreMock} from '../mocks';
-export const useGetTeamById = (teamId: string) => {
+export const useGetTeamById = (teamId: string, date?: Date) => {
// return useGetTeamByIdMock(teamId);
const storeNbr: string | undefined = useSelector(
SiteSelectors.getUserWorkingSite,
@@ -23,7 +23,12 @@ export const useGetTeamById = (teamId: string) => {
// }; // comment in if needed for testing
return useGetTeamByIdQuery({
- variables: {storeNbr: storeNbr!, teamId, countryCode: countryCode!},
+ variables: {
+ storeNbr: storeNbr!,
+ teamId,
+ date,
+ countryCode: countryCode!,
+ },
skip: !storeNbr || !countryCode,
});
};
| Adding type | Adding type
|
b064eb7b3045f6386745d2708eecd9cff6fa4f8b | --- plugins/withGradleExtVars.ts
@@ -28,7 +28,7 @@ const withGradleExtVars: ConfigPlugin<GradleExtProps> = (config, props) => {
props
);
- for (let [key, value] of Object.entries(props.ext)) {
+ for (const [key, value] of Object.entries(props.ext)) {
if (typeof value === 'boolean' || typeof value === 'number') {
newSrc.push(`\t\t${key} = ${value}`);
} else {
--- src/channels/components/ChannelRow.tsx
@@ -208,7 +208,13 @@ export const ChannelRow = (props: ChannelRowProps) => {
const unreadWeight = unread ? '700' : '400';
return (
- <TouchableOpacity onPress={onChannelPress} testID='channelRow'>
+ <TouchableOpacity
+ onPress={onChannelPress}
+ testID='channelRow'
+ accessible={true}
+ accessibilityRole='button'
+ accessibilityLabel={getAccessibilityLabel()}
+ >
<Card
UNSAFE_style={[
styles.card,
@@ -220,13 +226,10 @@ export const ChannelRow = (props: ChannelRowProps) => {
<CardContent
UNSAFE_style={styles.cardContent}
testID='channelRowContent'
- accessibilityRole='button'
- accessibilityLabel={unread ? 'Unread' : ''}
+ importantForAccessibility='no-hide-descendants'
>
<ListItem
- accessible={true}
- accessibilityRole='button'
- accessibilityLabel={getAccessibilityLabel()}
+ accessible={false}
UNSAFE_style={[styles.item, style]}
title={
<Body size='large' weight={unreadWeight}>
--- src/components/AssociateRosterItem/index.tsx
@@ -90,6 +90,8 @@ export const AssociateRosterItem = React.memo((props: AssociateItemProps) => {
size='small'
disabled={!userIsInRoster || !userIsImpersonatedOnDev}
testID='rosterScreenMessageButton'
+ accessibilityRole='button'
+ accessibilityLabel={`${t('rosterScreen.associateRosterItem.messageBtn')} ${associate?.name || ''}`}
>
<Text>
{t('rosterScreen.associateRosterItem.messageBtn')}
| fix(SMDV-7771): Add accessibility labels and roles to message buttons | fix(SMDV-7771): Add accessibility labels and roles to message buttons
- Add proper accessibilityRole and accessibilityLabel to ChannelRow buttons
- Hide inner content from screen readers to avoid duplicate announcements
- Add accessibility properties to AssociateRosterItem message button
- Ensures VoiceOver users can understand message buttons
JIRA: SMDV-7771
|
790bd2e68e9a3fa8cb1325c02ce308652b726cc5 | --- package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/roster-mini-app",
- "version": "2.12.1-alpha.13",
+ "version": "2.12.1-alpha.14",
"main": "dist/index.js",
"files": [
"dist"
--- src/hooks/teams.ts
@@ -1,6 +1,6 @@
import {useSelector} from 'react-redux';
import {useGetTeamByIdQuery} from '../queries/getTeamById';
-import {useGetTeamsByStoreQuery} from '../queries/getTeamsbyStore';
+import {useGetTeamsByStoreQuery} from '@walmart/me-at-walmart-athena-queries';
import {Associate} from '../types';
import {logger} from '../common/logger';
import {useDailyRoster} from './roster';
@@ -65,6 +65,7 @@ export const useGetTeamsByStore = () => {
storeNbr: storeNbr!,
date: moment().format('YYYY-MM-DD'),
countryCode: countryCode!,
+ includeManagement: true,
},
skip: !storeNbr || !countryCode,
notifyOnNetworkStatusChange: true,
| Update roster mini app version | Update roster mini app version
|
17417572bdb347994adf3124c13225c5d477248a | --- package-lock.json
@@ -5606,9 +5606,9 @@
"integrity": "sha512-vX4PWvt7QJvyd8cTmuBpITXVmHgCJ4ifkSsRSzFpK1fGZyfJaJn+pTP+h7XfQivQYCsIiB3Nm+tF12EXFJPBzg=="
},
"@walmart/shelfavailability-mini-app": {
- "version": "1.2.6",
- "resolved": "https://npme.walmart.com/@walmart/shelfavailability-mini-app/-/shelfavailability-mini-app-1.2.6.tgz",
- "integrity": "sha512-Y32/EH9Dk8y3H43r3/hlIB12cYvA761Mh71kZ3oKKv40Fp/h/BmeeJwVo4+H1oGMTGA3V6D72yffTJFRTfhbKw=="
+ "version": "1.3.1-SNAPSHOT.0",
+ "resolved": "https://npme.walmart.com/@walmart/shelfavailability-mini-app/-/shelfavailability-mini-app-1.3.1-SNAPSHOT.0.tgz",
+ "integrity": "sha512-m4SBVqMDuravAWVolYx+nX+saQg6IIFJOaN9EHjxTJ1BoLpI8QQuOmRdXIc9P61GDWTUpdxiaWtowABTTIY9bA=="
},
"@walmart/taskit-mini-app": {
"version": "0.34.5-beta.9",
--- package.json
@@ -119,7 +119,7 @@
"@walmart/refrigeration-alarms-mini-app": "1.35.0",
"@walmart/schedule-mini-app": "0.25.0",
"@walmart/settings-mini-app": "1.10.0",
- "@walmart/shelfavailability-mini-app": "1.2.6",
+ "@walmart/shelfavailability-mini-app": "1.3.1-SNAPSHOT.0",
"@walmart/taskit-mini-app": "0.34.5-beta.9",
"@walmart/time-clock-mini-app": "0.22.0",
"@walmart/ui-components": "1.5.0",
| SII-1183 snapshot build for SA v1.3.1-SNAPSHOT.0 | SII-1183 snapshot build for SA v1.3.1-SNAPSHOT.0
|
d779a189822f98bc2f1bc4b88e79cc13dc98faa1 | --- packages/allspark-foundation-hub/__tests__/HubFeature/Hub/Container/Components/ErrorBottomSheet.test.tsx
@@ -50,7 +50,7 @@ describe('ErrorBottomSheet', () => {
fireEvent.press(closeButton);
});
- expect(telemetryEventsHandler).toHaveBeenCalledTimes(2);
- expect(telemetryLogHandler).toHaveBeenCalledTimes(2);
+ expect(telemetryEventsHandler).toHaveBeenCalledTimes(0);
+ expect(telemetryLogHandler).toHaveBeenCalledTimes(0);
});
});
--- packages/allspark-foundation-hub/__tests__/HubFeature/Hub/Container/Components/OnboardingBottomSheet.test.tsx
@@ -1,13 +1,13 @@
import React from 'react';
import { act } from '@testing-library/react-native';
import { fireEvent, render } from '../../../../utils';
-import { OnboardingBottomSheet } from '../../../../../src/HubFeature/Store/Hub/Container/Components';
+import { OnboardingBottomSheet } from '../../../../../src/HubFeature/Store/Components';
import {
telemetryEventsHandler,
telemetryLogHandler,
-} from '../../../../../src/HubFeature/Store/Hub/Container/utils';
+} from '../../../../../src/HubFeature/Store/Common/utils';
-jest.mock('../../../../../src/HubFeature/Store/Hub/Container/utils', () => ({
+jest.mock('../../../../../src/HubFeature/Store/Common/utils', () => ({
telemetryEventsHandler: jest.fn(),
telemetryLogHandler: jest.fn(),
}));
@@ -53,4 +53,4 @@ describe('OnboardingBottomSheet', () => {
expect(telemetryEventsHandler).toHaveBeenCalledTimes(2);
expect(telemetryLogHandler).toHaveBeenCalledTimes(2);
});
-});
\ No newline at end of file
+});
--- packages/allspark-foundation-hub/__tests__/HubFeature/Hub/Container/Components/TeamUpdateBottomSheet.test.tsx
@@ -1,13 +1,13 @@
import React from 'react';
import { act } from '@testing-library/react-native';
import { fireEvent, render } from '../../../../utils';
-import { TeamUpdateBottomSheet } from '../../../../../src/HubFeature/Store/Hub/Container/Components';
+import { TeamUpdateBottomSheet } from '../../../../../src/HubFeature/Store/Components';
import {
telemetryEventsHandler,
telemetryLogHandler,
-} from '../../../../../src/HubFeature/Store/Hub/Container/utils';
+} from '../../../../../src/HubFeature/Store/Common/utils';
-jest.mock('../../../../../src/HubFeature/Store/Hub/Container/utils', () => ({
+jest.mock('../../../../../src/HubFeature/Store/Common/utils', () => ({
telemetryEventsHandler: jest.fn(),
telemetryLogHandler: jest.fn(),
}));
--- packages/allspark-foundation-hub/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-foundation-hub",
- "version": "1.0.1-beta.6",
+ "version": "1.0.1-beta.7",
"description": "",
"main": "Core/index.js",
"types": "Core/index.d.ts",
--- packages/allspark-foundation-hub/src/HubFeature/Store/index.tsx
@@ -1,3 +1,7 @@
export * from './Hub';
export * from './Components';
export * from './Onboarding';
+export * from './Common';
+export * from './Hooks';
+export * from './Redux';
+export * from './TeamSelection';
| Update tests | Update tests
|
e146fe89b5d8d1c0e7519cd57e12beab3d30f8c6 | --- .looper.multibranch.yml
@@ -852,7 +852,7 @@ flows:
native-common:
- try:
- - (name Set Env) yarn run env:${ENV}
+ - (name Set NPM Env) npm run env:${ENV}
- call: build-app
# - call: app-size-operations
- exposeVars(package.json)
| npm run script reverted | npm run script reverted
|
d9d602cdacd91b7cb1227dca400cf4f980f23bfd | --- android/app/build.gradle
@@ -134,7 +134,7 @@ android {
applicationId "com.walmart.stores.allspark.beta"
minSdkVersion rootProject.ext.minSdkVersion
targetSdkVersion rootProject.ext.targetSdkVersion
- versionCode 67
+ versionCode 68
versionName "1.0.5"
}
splits {
--- ios/AllSpark/Info.plist
@@ -34,7 +34,7 @@
</dict>
</array>
<key>CFBundleVersion</key>
- <string>67</string>
+ <string>68</string>
<key>LSApplicationQueriesSchemes</key>
<array>
<string>invmgmt</string>
--- ios/AllSparkTests/Info.plist
@@ -19,6 +19,6 @@
<key>CFBundleSignature</key>
<string>????</string>
<key>CFBundleVersion</key>
- <string>67</string>
+ <string>68</string>
</dict>
</plist>
| Incrementing build number | Incrementing build number
|
ff986a8ec644935d7da64db150275617879a840e | --- packages/allspark-authentication/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-authentication",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -22,8 +22,8 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.11",
- "@walmart/allspark-utils": "^5.0.0-alpha.11",
+ "@walmart/allspark-foundation": "^5.0.0-alpha.12",
+ "@walmart/allspark-utils": "^5.0.0-alpha.12",
"lodash": "~4.17.21",
"moment-timezone": "~0.5.37",
"ts-retry-promise": "~0.7.0"
--- packages/allspark-foundation/package.json
@@ -1,7 +1,7 @@
{
"name": "@walmart/allspark-foundation",
"private": false,
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "",
"main": "Core/index.js",
"types": "Core/index.d.ts",
@@ -53,7 +53,7 @@
"@apollo/client": "^3.7.14",
"@lifeomic/axios-fetch": "3.0.1",
"@reduxjs/toolkit": "^1.9.5",
- "@walmart/allspark-utils": "^5.0.0-alpha.11",
+ "@walmart/allspark-utils": "^5.0.0-alpha.12",
"@walmart/gtp-shared-components": "^2.0.2",
"axios": "~1.2.4",
"crypto-js": "~4.1.1",
--- packages/allspark-graphql-client/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-graphql-client",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "> TODO: description",
"license": "ISC",
"main": "lib/index.js",
@@ -26,6 +26,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.11"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.12"
}
}
--- packages/allspark-http-client/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-http-client",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "",
"author": "rlane1 <russell.lane@walmart.com>",
"license": "ISC",
@@ -18,6 +18,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.11"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.12"
}
}
--- packages/allspark-utils/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-utils",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "",
"author": "rlane1 <russell.lane@walmart.com>",
"homepage": "",
--- packages/core-services-allspark/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/core-services-allspark",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -18,7 +18,7 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.11",
- "@walmart/me-at-walmart-container": "^5.0.0-alpha.11"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.12",
+ "@walmart/me-at-walmart-container": "^5.0.0-alpha.12"
}
}
--- packages/core-services/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/core-services",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "",
"main": "index.js",
"types": "index.d.ts",
@@ -15,7 +15,7 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.11",
- "@walmart/allspark-utils": "^5.0.0-alpha.11"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.12",
+ "@walmart/allspark-utils": "^5.0.0-alpha.12"
}
}
--- packages/core-utils/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/core-utils",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "Common functionality required across both container and mini apps.",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -18,6 +18,6 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-utils": "^5.0.0-alpha.11"
+ "@walmart/allspark-utils": "^5.0.0-alpha.12"
}
}
--- packages/core-widget-registry/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/core-widget-registry",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "Repo for Me@Walmart related widget registries",
"author": "rlane1 <russell.lane@walmart.com>",
"license": "ISC",
@@ -18,6 +18,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/me-at-walmart-container": "^5.0.0-alpha.11"
+ "@walmart/me-at-walmart-container": "^5.0.0-alpha.12"
}
}
--- packages/functional-components/package.json
@@ -1,7 +1,7 @@
{
"name": "@walmart/functional-components",
"private": false,
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "Functional Components",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -20,6 +20,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.11"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.12"
}
}
--- packages/me-at-walmart-athena-queries/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/me-at-walmart-athena-queries",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "> TODO: description",
"author": "rlane1 <russell.lane@walmart.com>",
"homepage": "",
@@ -22,6 +22,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/me-at-walmart-container": "^5.0.0-alpha.11"
+ "@walmart/me-at-walmart-container": "^5.0.0-alpha.12"
}
}
--- packages/me-at-walmart-container/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/me-at-walmart-container",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -25,8 +25,8 @@
"author": "",
"license": "ISC",
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.11",
- "@walmart/allspark-utils": "^5.0.0-alpha.11",
+ "@walmart/allspark-foundation": "^5.0.0-alpha.12",
+ "@walmart/allspark-utils": "^5.0.0-alpha.12",
"@walmart/config-components": "4.1.0-rc.4",
"jwt-decode": "^3.1.2"
},
@@ -38,9 +38,9 @@
"@react-native-firebase/crashlytics": "~15.1.1",
"@react-native-firebase/database": "~15.1.1",
"@react-native-firebase/perf": "~15.1.1",
- "@walmart/allspark-authentication": "^5.0.0-alpha.11",
- "@walmart/core-services": "^5.0.0-alpha.11",
- "@walmart/core-utils": "^5.0.0-alpha.11",
+ "@walmart/allspark-authentication": "^5.0.0-alpha.12",
+ "@walmart/core-services": "^5.0.0-alpha.12",
+ "@walmart/core-utils": "^5.0.0-alpha.12",
"@walmart/react-native-encrypted-storage": "~1.1.13",
"@walmart/react-native-logger": "1.29.0",
"@walmart/react-native-sumo-sdk": "2.4.0-rc.2",
@@ -56,7 +56,7 @@
"@react-native-firebase/crashlytics": ">=15.1",
"@react-native-firebase/database": ">=15.1",
"@react-native-firebase/perf": ">=15.1",
- "@walmart/allspark-authentication": ">=5.0.0-alpha.11",
+ "@walmart/allspark-authentication": ">=5.0.0-alpha.12",
"@walmart/react-native-encrypted-storage": ">=1.1",
"@walmart/react-native-logger": ">=1",
"@walmart/react-native-sumo-sdk": ">=2.4",
--- packages/redux-store/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/redux-store",
- "version": "5.0.0-alpha.11",
+ "version": "5.0.0-alpha.12",
"description": "Common redux store",
"main": "lib/index.js",
"types": "lib/index.d.ts",
@@ -19,6 +19,6 @@
"clean": "rm -rf lib/ || true"
},
"dependencies": {
- "@walmart/allspark-foundation": "^5.0.0-alpha.11"
+ "@walmart/allspark-foundation": "^5.0.0-alpha.12"
}
}
| chore: bumping alpha version | chore: bumping alpha version
|
25a86963df9fb7687b7a1a8adb1151d4b4af4abc | --- .looper.multibranch.yml
@@ -528,11 +528,11 @@ flows:
then:
- var(APPCENTER_API_TOKEN = $APPCENTER_API_KEY_iOS)
- var(APPCENTER_APP_NAME = "AllSpark-Me-Walmart")
- - (name Upload to App Center iOS) bundle exec fastlane submit_to_appcenter_iOS BUILD_OUTPUT:${buildOutput}
+ - (name Upload to App Center iOS) bundle exec fastlane submit_to_appcenter BUILD_OUTPUT:${buildOutput}
else:
- var(APPCENTER_API_TOKEN = $APPCENTER_API_KEY_ANDROID)
- var(APPCENTER_APP_NAME = "AllSpark-Android")
- - (name Upload to App Center Android) bundle exec fastlane submit_to_appcenter_android BUILD_OUTPUT:${buildOutput}
+ - (name Upload to App Center Android) bundle exec fastlane submit_to_appcenter BUILD_OUTPUT:${buildOutput}
# sends success message to slack channel
#
--- fastlane/Fastfile
@@ -59,10 +59,10 @@ before_each do |lane, options|
# ...
end
-desc "Upload IPA to App Center"
-lane :submit_to_appcenter_iOS do |options|
+desc "Upload IPA and APK to App Center"
+lane :submit_to_appcenter do |options|
- UI.message("\n\n\n=====================================\n uploading iOS\n=====================================")
+ UI.message("\n\n\n=====================================\n uploading build\n=====================================")
if options[:BUILD_OUTPUT]
appcenter_upload(
| code cleanup | code cleanup
|
de221320a2bf024b8a6274d160eff814b7ce9800 | --- commitlint.config.ts
@@ -3,7 +3,17 @@ import type {UserConfig} from '@commitlint/types'
const config: UserConfig = {
extends: ['@commitlint/config-conventional'],
rules: {
- 'subject-case': [0, 'always', 'upper-case']
+ 'subject-case': [0, 'always', 'upper-case'],
+ // Only restrict body line length outside of looper environment
+ 'body-max-line-length': [
+ process.env.CI === 'true' || process.env.LOOPER === 'true'
+ ? 0
+ : 2,
+ 'always',
+ process.env.CI === 'true' || process.env.LOOPER === 'true'
+ ? Infinity
+ : 100
+ ],
}
}
--- package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/wmconnect-mini-app",
- "version": "2.25.5",
+ "version": "2.26.0",
"main": "index.ts",
"workspaces": [
"packages/*"
| fix: SMDV-9999 update looper | fix: SMDV-9999 update looper
|
bcab7d1f803f3424d76132c5121077121d73dada | --- packages/allspark-foundation/src/Feature/AllsparkFeatureModule.tsx
@@ -651,6 +651,25 @@ export class AllsparkFeatureModule<
this._connectedMap.redux = false;
};
+ /**
+ * Disconnect feature components from AllsparkComponentContainers
+ */
+ private _disconnectComponents = () => {
+ const components = this._resourceMap.components;
+
+ if (components) {
+ Object.keys(components).forEach((id) => {
+ const { containerId } = components[id];
+
+ if (containerId) {
+ AllsparkComponentContainers.remove(containerId, id);
+ }
+ });
+ }
+
+ this._connectedMap.components = false;
+ };
+
/**
* Disconnects the feature module from the application.
* @param capability Optional capability to disconnect. If not provided, all capabilities will be disconnected.
@@ -672,9 +691,13 @@ export class AllsparkFeatureModule<
case 'redux':
this._disconnectRedux();
break;
+ case 'components':
+ this._disconnectComponents();
+ break;
default: {
this._disconnectListeners();
this._disconnectRedux();
+ this._disconnectComponents();
}
}
--- packages/allspark-foundation/src/Feature/types.ts
@@ -213,7 +213,7 @@ export type ConnectCapabilities = keyof Omit<
/**
* Represents the different capabilities that can be disconnected.
*/
-export type DisconnectCapabilities = 'listeners' | 'redux';
+export type DisconnectCapabilities = 'listeners' | 'redux' | 'components';
export type TargetFeatureConfig = {
featureId?: string;
| feat: add disconnect components functionality to feature disconnect | feat: add disconnect components functionality to feature disconnect
|
b6495d2ed863563ef352c1d88486b76870f17200 | --- package-lock.json
@@ -4961,9 +4961,9 @@
"integrity": "sha512-usmI56rCuMnGXw4M4cxP4BdpIiXVq3xWO/OyZeM2hl+qJ4YjQ+g96P3GF2rgMxWFfAHb/gvmWz6lfo/jN2hPwQ=="
},
"@walmart/time-clock-mini-app": {
- "version": "0.5.8",
- "resolved": "https://npme.walmart.com/@walmart/time-clock-mini-app/-/time-clock-mini-app-0.5.8.tgz",
- "integrity": "sha512-NfXKogJdaMCps4HqF/XVkD+wGXhi+4SwJyXm478fyN9qRjKeFi48Vb86xpa/ZjxY78qPuqfFs3zWtjPljunfxg==",
+ "version": "0.5.9",
+ "resolved": "https://npme.walmart.com/@walmart/time-clock-mini-app/-/time-clock-mini-app-0.5.9.tgz",
+ "integrity": "sha512-1ZnicAkg5AMmRtly7kH3TOyecJFq+rrvk8tcrfMXuprGxjXBgdHuM2uRazz8R2BAwr/XMoEaG+LarAC0R4oF8A==",
"requires": {
"@react-native-community/datetimepicker": "3.0.9",
"@react-native-picker/picker": "^1.16.1",
--- package.json
@@ -105,7 +105,7 @@
"@walmart/settings-mini-app": "1.6.0",
"@walmart/shelfavailability-mini-app": "1.0.0",
"@walmart/taskit-mini-app": "0.32.0",
- "@walmart/time-clock-mini-app": "0.5.8",
+ "@walmart/time-clock-mini-app": "0.5.9",
"@walmart/ui-components": "1.4.0-rc.0",
"@walmart/welcomeme-mini-app": "0.69.0",
"@walmart/wfm-ui": "0.2.14",
| Bump time clock mini app to 0.5.9 to fix default ccm flag. | Bump time clock mini app to 0.5.9 to fix default ccm flag.
|
0429fbf2c806297f5ca950b78cf12c52ed7de4a1 | --- package-lock.json
@@ -2643,9 +2643,9 @@
"integrity": "sha512-rk4sWFsmtOw8oyx8SD3KSvawwaK7gRBSEIy2TAwURyGt+3TizssXP1r8nx3zY+R7v2vYYHXZ+k2/GULAT/bcaQ=="
},
"@react-native-community/netinfo": {
- "version": "5.9.7",
- "resolved": "https://npme.walmart.com/@react-native-community/netinfo/-/netinfo-5.9.7.tgz",
- "integrity": "sha512-NAkkT68oF+M9o6El2xeUqZK7magPjG/tAcEbvCbqyhlh3yElKWnI1e1vpbVvFXzTefy67FwYFWOJqBN6U7Mnkg=="
+ "version": "5.9.9",
+ "resolved": "https://npme.walmart.com/@react-native-community/netinfo/-/netinfo-5.9.9.tgz",
+ "integrity": "sha512-Gp0XV4BgabvzkL4Dp6JAsA2l9LcmgBAq3erCLdvRZmEFz7guCWTogQWVfFtl+IbU0uqfwfo9fm2+mQiwdudLCw=="
},
"@react-native-community/picker": {
"version": "1.8.1",
--- package.json
@@ -46,7 +46,7 @@
"@react-native-community/datetimepicker": "^3.0.9",
"@react-native-community/hooks": "^2.6.0",
"@react-native-community/masked-view": "^0.1.10",
- "@react-native-community/netinfo": "^5.9.5",
+ "@react-native-community/netinfo": "5.9.9",
"@react-native-community/picker": "^1.8.1",
"@react-native-firebase/analytics": "^12.1.0",
"@react-native-firebase/app": "^12.1.0",
| Update the package lock for failing builds. | Update the package lock for failing builds.
|
89d0a773eb9bf9ae0b26b756c99c6a53238c0aa3 | --- packages/allspark-foundation-hub/src/HubFeature/Hub/Container/Screens/HubDashboard.tsx
@@ -73,9 +73,6 @@ export const HubDashboard = ({ name, widgets }: HubDashboardProps) => {
const userOnboardingComplete = useSelector(
ManagerExperienceSelectors.getUserOnboardingComplete
);
- const userTeamSelectionComplete = useSelector(
- ManagerExperienceSelectors.getUserTeamSelectionComplete
- );
const userTeamOnboardingError = useSelector(
ManagerExperienceSelectors.getUserOnboardingError
);
@@ -188,16 +185,8 @@ export const HubDashboard = ({ name, widgets }: HubDashboardProps) => {
!isNil(userTeamOnboardingError) || !isNil(userTeamSelectionError);
setUserOnboardingOrTeamSelectionError(showErrorBottomSheet);
}
- if (userOnboardingComplete || userTeamSelectionComplete) {
- onRefresh();
- }
// eslint-disable-next-line react-hooks/exhaustive-deps
- }, [
- userOnboardingComplete,
- userTeamSelectionComplete,
- userTeamOnboardingError,
- userTeamSelectionError,
- ]);
+ }, [userOnboardingComplete, userTeamOnboardingError, userTeamSelectionError]);
useEffect(() => {
const allowedWidgets = Object.keys(widgets).includes(teamState.teamLabel)
--- packages/allspark-foundation-hub/src/HubFeature/Hub/TeamSwitcher/index.tsx
@@ -60,6 +60,9 @@ export const TeamSwitcher = ({
const selectedTeamId: string = useSelector(
ManagerExperienceSelectors.getSelectedTeamPreference
);
+ const userTeamSelectionComplete = useSelector(
+ ManagerExperienceSelectors.getUserTeamSelectionComplete
+ );
const [selectedTeam, setSelectedTeam] = useState<string | null>(
selectedTeamId
);
@@ -126,7 +129,7 @@ export const TeamSwitcher = ({
useEffect(() => {
refetch();
- }, [refreshing, refetch]);
+ }, [refreshing, refetch, userTeamSelectionComplete]);
const handlePress = (teamId: string, teamLabel: string) => {
setSelectedTeam(teamLabel);
| feat(ui): Update the refresh logic | feat(ui): Update the refresh logic
|
4f42e7da01c8234165fc07317cc275c9b3c182f9 | --- packages/allspark-foundation-hub/CHANGELOG.md
@@ -3,6 +3,10 @@
All notable changes to this project will be documented in this file.
See [Conventional Commits](https://conventionalcommits.org) for commit guidelines.
+## [1.25.9](https://gecgithub01.walmart.com/allspark/allspark/compare/@walmart/allspark-foundation-hub@1.25.8...@walmart/allspark-foundation-hub@1.25.9) (2025-12-08)
+
+**Note:** Version bump only for package @walmart/allspark-foundation-hub
+
## [1.25.8](https://gecgithub01.walmart.com/allspark/allspark/compare/@walmart/allspark-foundation-hub@1.25.7...@walmart/allspark-foundation-hub@1.25.8) (2025-12-08)
**Note:** Version bump only for package @walmart/allspark-foundation-hub
--- packages/allspark-foundation-hub/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-foundation-hub",
- "version": "1.25.8",
+ "version": "1.25.9",
"description": "",
"main": "lib/index.js",
"types": "lib/index.d.ts",
--- packages/allspark-foundation/CHANGELOG.md
@@ -3,6 +3,10 @@
All notable changes to this project will be documented in this file.
See [Conventional Commits](https://conventionalcommits.org) for commit guidelines.
+## [7.16.7](https://gecgithub01.walmart.com/allspark/allspark/compare/@walmart/allspark-foundation@7.16.6...@walmart/allspark-foundation@7.16.7) (2025-12-08)
+
+**Note:** Version bump only for package @walmart/allspark-foundation
+
## [7.16.6](https://gecgithub01.walmart.com/allspark/allspark/compare/@walmart/allspark-foundation@7.16.5...@walmart/allspark-foundation@7.16.6) (2025-12-08)
### Bug Fixes
--- packages/allspark-foundation/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/allspark-foundation",
- "version": "7.16.6",
+ "version": "7.16.7",
"description": "",
"main": "Core/index.js",
"types": "Core/index.d.ts",
--- packages/components-library/CHANGELOG.md
@@ -3,6 +3,12 @@
All notable changes to this project will be documented in this file.
See [Conventional Commits](https://conventionalcommits.org) for commit guidelines.
+## [1.2.8](https://gecgithub01.walmart.com/allspark/allspark/compare/@walmart/ax-components@1.2.7...@walmart/ax-components@1.2.8) (2025-12-08)
+
+### Bug Fixes
+
+- vqa issues for components ([#515](https://gecgithub01.walmart.com/allspark/allspark/issues/515)) ([ed35370](https://gecgithub01.walmart.com/allspark/allspark/commit/ed35370602ae01de0b5494d59bdac0e76e8d9614))
+
## [1.2.7](https://gecgithub01.walmart.com/allspark/allspark/compare/@walmart/ax-components@1.2.6...@walmart/ax-components@1.2.7) (2025-12-08)
### Bug Fixes
--- packages/components-library/package.json
@@ -57,7 +57,7 @@
"test:coverage": "jest --coverage",
"expo:check": "expo install --check"
},
- "version": "1.2.7",
+ "version": "1.2.8",
"main": "lib/index.js",
"types": "lib/index.d.ts",
"name": "@walmart/ax-components",
--- packages/my-walmart-hub/CHANGELOG.md
@@ -3,6 +3,10 @@
All notable changes to this project will be documented in this file.
See [Conventional Commits](https://conventionalcommits.org) for commit guidelines.
+## [1.6.6](https://gecgithub01.walmart.com/allspark/allspark/compare/@walmart/my-walmart-hub@1.6.5...@walmart/my-walmart-hub@1.6.6) (2025-12-08)
+
+**Note:** Version bump only for package @walmart/my-walmart-hub
+
## [1.6.5](https://gecgithub01.walmart.com/allspark/allspark/compare/@walmart/my-walmart-hub@1.6.4...@walmart/my-walmart-hub@1.6.5) (2025-12-08)
**Note:** Version bump only for package @walmart/my-walmart-hub
--- packages/my-walmart-hub/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/my-walmart-hub",
- "version": "1.6.5",
+ "version": "1.6.6",
"description": "My Walmart Hub - A comprehensive hub framework for building dynamic widget-based interfaces",
"main": "lib/index.js",
"types": "lib/index.d.ts",
| chore(version): updating package version | chore(version): updating package version
- @walmart/allspark-foundation@7.16.7
- @walmart/allspark-foundation-hub@1.25.9
- @walmart/ax-components@1.2.8
- @walmart/my-walmart-hub@1.6.6
|
f9add6ddb04593cbdbbf1918e4605dcde27264eb | --- __tests__/utils/user.test.ts
@@ -22,7 +22,6 @@ import {
formatSchedule,
transformWfmSchedule,
getScheduleStartAndEndTime,
- formatTime,
} from '../../src/utils/user';
@@ -474,8 +473,8 @@ describe('formatSchedule', () => {
it('returns formatted schedule', () => {
const scheduleInfo = [
{
- startTime: '2024-01-01T09:00:00.000Z',
- endTime: '2024-01-01T17:00:00.000Z',
+ startTime: '2024-01-01T09:00:00.000',
+ endTime: '2024-01-01T17:00:00.000',
},
];
expect(formatSchedule(scheduleInfo)).toBe('9:00am - 5:00pm');
@@ -526,8 +525,8 @@ describe('getScheduleStartAndEndTime', () => {
it('returns formatted times', () => {
const schedule = [
{
- startTime: '2024-01-01T09:00:00.000Z',
- endTime: '2024-01-01T17:00:00.000Z',
+ startTime: '2024-01-01T09:00:00.000',
+ endTime: '2024-01-01T17:00:00.000',
},
];
expect(getScheduleStartAndEndTime(schedule)).toEqual({
@@ -536,14 +535,3 @@ describe('getScheduleStartAndEndTime', () => {
});
});
});
-
-describe('formatTime', () => {
- it('returns formatted lowercase time', () => {
- const result = formatTime('2024-01-01T09:00:00.000Z');
- expect(result).toBe('9:00 am');
- });
-});
-
-
-
-
| fix(ui): update tests | fix(ui): update tests
|
ed555f0c4073ac33d168c2f73bd14f34060d3ddc | --- .looper.multibranch.yml
@@ -33,6 +33,36 @@ branches:
- manual:
name: Publish Changed Packages
call: publishFromChanges
+ - manual:
+ name: Build Both Dev
+ call: dev(test)
+ - manual:
+ name: Build Android Dev
+ call: android-dev(test)
+ - manual:
+ name: Build iOS Dev
+ call: ios-dev(test)
+ - manual:
+ name: Build Both Beta
+ call: beta(test)
+ - manual:
+ name: Build Android Beta
+ call: android-beta(test)
+ - manual:
+ name: Build iOS Beta
+ call: ios-beta(test)
+ - manual:
+ name: Build Both Teflon
+ call: teflon(test)
+ - manual:
+ name: Build Android Teflon
+ call: android-teflon(test)
+ - manual:
+ name: Build iOS Teflon
+ call: ios-teflon(test)
+ - manual:
+ name: Build Simulator
+ call: push(simulator)
flows:
prepare-npm-project:
| chore: testing looper changes | chore: testing looper changes
|
320e30ecc63dbdea60e9340a8f054aac7cd675c9 | --- .looper-pr.yml
@@ -23,7 +23,7 @@ flows:
- npm install
- npm run env:dev
- npm run lint
- - npm run coverage
+ - npm run coverage -- --no-watchman
- call: build-js-bundle
- call: notify-pr-via-slack
--- .looper.multibranch.yml
@@ -124,7 +124,7 @@ envs:
slackIcon: ":firecracker:"
slackChannel: "allspark-builds-feature"
buildType: "SNAPSHOT"
- buildGABuilds: false
+ buildGABuilds: true
buildTeflon: false
teamsReleaseTypeIcon: "https://ih1.redbubble.net/image.1355946808.4705/flat,128x128,075,t.u1.jpg"
teamsWebhookUrl: "https://walmart.webhook.office.com/webhookb2/f0470775-130f-4a42-9531-d0511cf632aa@3cbcc3d3-094d-4006-9849-0d11d61f484d/IncomingWebhook/36aedf59babe497b8b4edd5920d0dd9f/f02e8323-deff-42c4-85df-613f84ca35ff"
@@ -274,7 +274,7 @@ flows:
- npm install
- npm run env:dev
- npm run lint
- - npm run coverage
+ - npm run coverage -- --no-watchman
- call: build-js-bundle
- call: notify-pr-via-slack
@@ -295,7 +295,7 @@ flows:
- call: increment-version-code
- node(label=$LOOPER_NODES, ws="exclusive"):
- parallel(failsafe):
- - call: build-native(ios)
+# - call: build-native(ios)
- call: build-native(android)
- call: run-sonar-analysis
- call: publish-to-hygieia
@@ -361,10 +361,10 @@ flows:
then:
- node(label=$LOOPER_NODES, ws="exclusive"):
- parallel(failsafe):
- - group("$os dev"):
- - call: build-snapshot(dev)
- - group("$os beta"):
- - call: build-snapshot(beta)
+# - group("$os dev"):
+# - call: build-snapshot(dev)
+# - group("$os beta"):
+# - call: build-snapshot(beta)
- if: $buildGABuilds
then:
- group("$os prod"):
@@ -398,6 +398,11 @@ flows:
else:
- (set version code) bundle exec fastlane set_android version_code:${BUILD_NUMBER}
- call: android-process
+ - try:
+ - echo "uploading aab build for android"
+ - call: upload-build(version = ${version}, artifactId = ${artifactId}, buildOutput = ${buildAabOutput}, sourceMap = ${sourceMap}, packaging = "aab")
+ catch:
+ - echo "failure in uploading aab"
- echo "uploading build"
- call: upload-build(version = "${version}-${env}-SNAPSHOT", artifactId = "allspark-core-${os}-${env}", buildOutput = ${buildOutput}, sourceMap = ${sourceMap})
- if: |
| disable ios | disable ios
|
166e2513bae29ff6dd3984637ee68bb410368696 | --- src/screens/RosterDetailScreen/StoreRosterDetailScreen.tsx
@@ -158,7 +158,9 @@ export const StoreRosterDetailScreen = ({route}: RosterDetailScreenProps) => {
const dataLoading = teamLoading || rosterLoading;
const dataError = teamError || rosterError;
- const currentTeam = currentTeamData?.getTeamById;
+ const currentTeam = currentTeamData?.getTeamById || {
+ teamName: route.params?.teamName,
+ };
const allTeams = useMemo(
() => (allTeamsData?.getTeamsByStore || []) as Team[],
--- src/screens/RosterDetailScreen/SupplyChainRosterDetailScreen.tsx
@@ -178,8 +178,8 @@ export const SupplyChainRosterDetailScreen = ({
[allTeamsData?.supplyChainTeamsByBusinessUnit?.teams],
);
- const currentTeam: SupplyChainTeam = currentTeamData?.supplyChainTeamById
- ?.teams as SupplyChainTeam;
+ const currentTeam: SupplyChainTeam = (currentTeamData?.supplyChainTeamById
+ ?.teams as SupplyChainTeam) || {teamName: route.params?.teamName};
const getHeaderAndSubtext = useCallback(() => {
if (teamState.teamLabel === TOTAL_SITE_TEAM_LABEL) {
| fix: missing header on page error | fix: missing header on page error
|
72d45eddf241686d3b99bc9a45153a21568e584d | --- packages/allspark-foundation/package.json
@@ -39,8 +39,7 @@
"bin": {
"allspark-generate-graphql": "./cli/generate.js",
"allspark-link": "./cli/link.js",
- "allspark-setup": "./cli/setup.js",
- "certify-booted-sim": "./cli/certify-booted-sim"
+ "allspark-setup": "./cli/setup.js"
},
"repository": {
"type": "git",
--- packages/allspark-foundation/src/cli/setup.js
@@ -1,3 +1,6 @@
+#!/usr/bin/env node
+'use strict';
+
const { exec } = require('child_process');
const execPromise = (command) =>
| fix: remove certify booted sim script | fix: remove certify booted sim script
|
394e0c570b357344d4672ef6087a2d770bcd9c17 | --- src/containers/RosterFilters.tsx
@@ -182,10 +182,6 @@ export const RosterFilters = (props: {
{counts.clockedIn ? counts.clockedIn + ' ' : ''}
{t('rosterScreen.filters.clockedIn')}
</Chip>
- <Chip id={FilterValue.online}>
- {counts.online ? counts.online + ' ' : ''}
- {t('rosterScreen.filters.online')}
- </Chip>
</ChipGroup>
</View>
);
--- src/containers/RosterFilters.tsx
@@ -182,10 +182,6 @@ export const RosterFilters = (props: {
{counts.clockedIn ? counts.clockedIn + ' ' : ''}
{t('rosterScreen.filters.clockedIn')}
</Chip>
- <Chip id={FilterValue.online}>
- {counts.online ? counts.online + ' ' : ''}
- {t('rosterScreen.filters.online')}
- </Chip>
</ChipGroup>
</View>
);
| Remove online Filter chip | Remove online Filter chip
|
0b9f3574321f8d005e1a3ce8ec8d2ffd1bcc5b46 | --- src/components/TeamList.tsx
@@ -44,6 +44,7 @@ import {
sortWorkgroupKeysForTeamList,
} from '../utils/teams';
import {isNil} from 'lodash';
+import {RosterActionButton} from './Roster/types';
const styles = StyleSheet.create({
listItem: {
@@ -124,6 +125,9 @@ const styles = StyleSheet.create({
lastTeamItem: {
borderBottomWidth: 0,
},
+ actionButtonSpacing: {
+ marginHorizontal: 4,
+ },
});
//TODO: Store iconMap in CCM?
@@ -158,25 +162,21 @@ const TeamItem = (props: {
teamId: string;
clockedInCount: number | null;
absentCount: number | null;
- canMessage?: boolean;
+ actionButtons?: RosterActionButton[];
style?: StyleProp<ViewStyle>;
}) => {
const {
teamId,
clockedInCount,
absentCount,
- canMessage = false,
style,
+ actionButtons = null,
} = props;
const {t} = useTranslation([ROSTER_I18N_NAMESPACE]);
const navigation = useNavigation<NavigationProp<TextingNavParamsMap>>();
const {loading, teamData, teamRoster} = useGetRosterByTeam(teamId);
const team = teamData?.getTeamById;
const userIsInRoster = useUserIsInRoster();
- const isMessageButtonEnabled: boolean = useSelector(messageButtonEnabled);
- const userIsImpersonatedOnDev: boolean = useIsImpersonatedOnDev();
-
- // const startTeamText = useStartTeamText();
if (loading) {
return (
@@ -215,41 +215,36 @@ const TeamItem = (props: {
/>
}
trailing={
- canMessage && isMessageButtonEnabled ? (
- <Button
- variant='secondary'
- onPress={() => {}}
- size='small'
- disabled={!userIsInRoster || !userIsImpersonatedOnDev}>
- <Text>{t('rosterScreen.teamListItem.messageBtn')}</Text>
- </Button>
- ) : (
- <TouchableOpacity onPress={onViewTeam}>
- <Body
- weight='400'
- size='small'
- numberOfLines={1}
- UNSAFE_style={styles.viewTeam}
- testID='viewTeamButton'>
- {t('rosterScreen.teamListItem.viewTeam')}
- </Body>
- </TouchableOpacity>
- )
+ !isNil(actionButtons) ? (
+ <View style={styles.buttonsStyle}>
+ {actionButtons.map((actionButton: RosterActionButton) => {
+ return (
+ <Button
+ variant={'secondary'}
+ UNSAFE_style={styles.actionButtonSpacing}
+ onPress={() => actionButton.action(team)}
+ size={'small'}
+ disabled={!userIsInRoster}
+ testID={`actionButton-${actionButton.i18nLabel}`}>
+ <Text>{t(actionButton.i18nLabel)}</Text>
+ </Button>
+ );
+ })}
+ </View>
+ ) : undefined
}>
<Body weight='400' size='small'>
{t('rosterScreen.teamListItem.clockedIn', {
count: clockedInCount ?? 0,
})}
</Body>
- {canMessage && isMessageButtonEnabled && (
- <Body weight='400' size='small'>
- <TouchableOpacity onPress={onViewTeam} testID='viewTeamButton'>
- <Text style={styles.viewTeamStyle}>
- {t('rosterScreen.teamListItem.viewTeam')}
- </Text>
- </TouchableOpacity>
- </Body>
- )}
+ <Body weight='400' size='small'>
+ <TouchableOpacity onPress={onViewTeam} testID='viewTeamButton'>
+ <Text style={styles.viewTeamStyle}>
+ {t('rosterScreen.teamListItem.viewTeam')}
+ </Text>
+ </TouchableOpacity>
+ </Body>
</ListItem>
);
};
@@ -376,7 +371,6 @@ export const TeamChatCard = (props: {
style={isLastItem && styles.lastTeamItem}
clockedInCount={teamItemInfo.mewClockedInCount ?? 0}
absentCount={teamItemInfo.mewAbsentCount ?? 0}
- canMessage={false}
/>
);
});
@@ -441,7 +435,6 @@ export const TeamChatCard = (props: {
teamId={primaryTeam}
clockedInCount={clockedInCount}
absentCount={absentCount}
- canMessage={true}
style={styles.firstItem}
/>
</>
| creating actionbtn prop for team list | creating actionbtn prop for team list
|
efc6fa702e89894eb671259d98911c14a582c153 | --- package-lock.json
@@ -72,7 +72,7 @@
"@walmart/ims-print-services-ui": "2.10.3",
"@walmart/inbox-mini-app": "0.92.10",
"@walmart/iteminfo-mini-app": "7.10.13",
- "@walmart/learning-mini-app": "20.0.14",
+ "@walmart/learning-mini-app": "20.0.15",
"@walmart/manager-approvals-miniapp": "0.2.4",
"@walmart/me-at-walmart-athena-queries": "6.0.16",
"@walmart/me-at-walmart-common": "6.0.16",
@@ -11731,9 +11731,9 @@
}
},
"node_modules/@walmart/learning-mini-app": {
- "version": "20.0.14",
- "resolved": "https://npme.walmart.com/@walmart/learning-mini-app/-/learning-mini-app-20.0.14.tgz",
- "integrity": "sha512-xQRTRohtgAEmWrqrFc9MxAS1BmKG4cVXPjGJ8bOn/Bj8Rm94WrcJ+MVwScacjRM5D2Lo5TBPIGbvgG1FlX6E/w==",
+ "version": "20.0.15",
+ "resolved": "https://npme.walmart.com/@walmart/learning-mini-app/-/learning-mini-app-20.0.15.tgz",
+ "integrity": "sha512-JQIpa7dbb3UX+ziLa2rvvPMXSy49LVLMal08HGrpTJu8R5spBUgu0WobB3uD0BP3SreRp6VrBn2aZZ7qJ5N1MQ==",
"hasInstallScript": true,
"peerDependencies": {
"@atmt/feedback-component-native": "^8.0.0",
@@ -11753,7 +11753,7 @@
"@walmart/core-services-me-at-homeoffice": "1.1.1",
"@walmart/core-utils": "~2.0.3",
"@walmart/functional-components": "~4.0.3",
- "@walmart/gtp-shared-components": "2.1.3",
+ "@walmart/gtp-shared-components": "2.2.1-rc.0",
"@walmart/homeoffice-impersonation-app": "0.0.23",
"@walmart/impersonation-mini-app": "1.20.6",
"@walmart/react-native-encrypted-storage": "1.1.3",
--- package.json
@@ -113,7 +113,7 @@
"@walmart/ims-print-services-ui": "2.10.3",
"@walmart/inbox-mini-app": "0.92.10",
"@walmart/iteminfo-mini-app": "7.10.13",
- "@walmart/learning-mini-app": "20.0.14",
+ "@walmart/learning-mini-app": "20.0.15",
"@walmart/manager-approvals-miniapp": "0.2.4",
"@walmart/me-at-walmart-athena-queries": "6.0.16",
"@walmart/me-at-walmart-common": "6.0.16",
@@ -378,7 +378,7 @@
"@walmart/ims-print-services-ui": "2.10.3",
"@walmart/inbox-mini-app": "0.92.10",
"@walmart/iteminfo-mini-app": "7.10.13",
- "@walmart/learning-mini-app": "20.0.14",
+ "@walmart/learning-mini-app": "20.0.15",
"@walmart/manager-approvals-miniapp": "0.2.4",
"@walmart/me-at-walmart-athena-queries": "6.0.16",
"@walmart/me-at-walmart-common": "6.0.16",
| feat: :sparkles: Bump learning mini app version to 20.0.15 | feat: :sparkles: Bump learning mini app version to 20.0.15
|
92bc9841c0e948e333d82a03f5f729850f9a2357 | --- scripts/updateAndroidProjectConfig.sh
@@ -12,7 +12,6 @@ APP_GRADLE="android/app/build.gradle"
APP_MANIFEST="android/app/src/main/AndroidManifest.xml"
MAIN_APPLICATION="android/app/src/main/java/com/walmart/stores/allspark/beta/MainApplication.java"
MAIN_ACTIVITY="android/app/src/main/java/com/walmart/stores/allspark/beta/MainActivity.java"
-MAIN_APPLICATION_RN_HOST="android/app/src/main/java/com/walmart/stores/allspark/beta/newarchitecture/MainApplicationReactNativeHost.java"
STRINGS_XML="android/app/src/main/res/values/strings.xml"
RN_CONFIG_JS="react-native.config.js"
@@ -65,9 +64,6 @@ BUILD_CONFIG="${PACKAGE}.BuildConfig"
echo "Updating BuildConfig import to ${BUILD_CONFIG} in ${MAIN_APPLICATION}"
sed $SEDOPTION "s/import ${BETA_BUILD_CONFIG};|import ${PROD_BUILD_CONFIG};/import ${BUILD_CONFIG};/" ${MAIN_APPLICATION}
-echo "Updating BuildConfig import to ${BUILD_CONFIG} in ${MAIN_APPLICATION_RN_HOST}"
-sed $SEDOPTION "s/import ${BETA_BUILD_CONFIG};|import ${PROD_BUILD_CONFIG};/import ${BUILD_CONFIG};/" ${MAIN_APPLICATION_RN_HOST}
-
echo "Updating BuildConfig import to ${BUILD_CONFIG} in ${MAIN_ACTIVITY}"
sed $SEDOPTION "s/import ${BETA_BUILD_CONFIG};|import ${PROD_BUILD_CONFIG};/import ${BUILD_CONFIG};/" ${MAIN_ACTIVITY}
| fix(ci): updated scripts | fix(ci): updated scripts
|
e6bef288a1ea3f187fddcabd855b1d48970ec1ad | --- package-lock.json
@@ -71,7 +71,7 @@
"@walmart/impersonation-mini-app": "1.20.8",
"@walmart/ims-print-services-ui": "2.10.3",
"@walmart/inbox-mini-app": "0.92.10",
- "@walmart/iteminfo-mini-app": "7.10.10",
+ "@walmart/iteminfo-mini-app": "7.10.11",
"@walmart/learning-mini-app": "20.0.3",
"@walmart/manager-approvals-miniapp": "0.2.4",
"@walmart/me-at-walmart-athena-queries": "6.0.15",
@@ -11684,9 +11684,9 @@
}
},
"node_modules/@walmart/iteminfo-mini-app": {
- "version": "7.10.10",
- "resolved": "https://npme.walmart.com/@walmart/iteminfo-mini-app/-/iteminfo-mini-app-7.10.10.tgz",
- "integrity": "sha512-heiGH8alc7isHAXKnxQlWvIwHr6IzHONQTl0o4m32Yh3n/rHrR43Zy6iONHlNX1YgpN1ZH2qgkTW+Z13P59RNg==",
+ "version": "7.10.11",
+ "resolved": "https://npme.walmart.com/@walmart/iteminfo-mini-app/-/iteminfo-mini-app-7.10.11.tgz",
+ "integrity": "sha512-ouYVbtZDLjXsvHcBneeATnN9XktA6ORVs8IJNYEf9vW+KS89uTxrwIlX9pngZpzt/6IwuVRGHakz1QQPOhIkZA==",
"hasInstallScript": true,
"peerDependencies": {
"@react-navigation/drawer": ">=6.3.0",
--- package.json
@@ -112,7 +112,7 @@
"@walmart/impersonation-mini-app": "1.20.8",
"@walmart/ims-print-services-ui": "2.10.3",
"@walmart/inbox-mini-app": "0.92.10",
- "@walmart/iteminfo-mini-app": "7.10.10",
+ "@walmart/iteminfo-mini-app": "7.10.11",
"@walmart/learning-mini-app": "20.0.3",
"@walmart/manager-approvals-miniapp": "0.2.4",
"@walmart/me-at-walmart-athena-queries": "6.0.15",
@@ -377,7 +377,7 @@
"@walmart/impersonation-mini-app": "1.20.8",
"@walmart/ims-print-services-ui": "2.10.3",
"@walmart/inbox-mini-app": "0.92.10",
- "@walmart/iteminfo-mini-app": "7.10.10",
+ "@walmart/iteminfo-mini-app": "7.10.11",
"@walmart/learning-mini-app": "20.0.3",
"@walmart/manager-approvals-miniapp": "0.2.4",
"@walmart/me-at-walmart-athena-queries": "6.0.15",
| Iteminfo version 7.10.11 - camera permission issue | Iteminfo version 7.10.11 - camera permission issue
|
daaba576c6e5441ac1176cd92d044e33ec0d3543 | --- package-lock.json
@@ -5197,9 +5197,9 @@
"integrity": "sha512-ukjeKmaIt7eQDI6At3r7pBayO5fGIr8wT7L/XpiYvDiSdRIIUzC6gNE9KRBI2gdovvMrQsxO8QwTOxnXHcEIrQ=="
},
"@walmart/ims-print-services-ui": {
- "version": "1.1.1",
- "resolved": "https://npme.walmart.com/@walmart/ims-print-services-ui/-/ims-print-services-ui-1.1.1.tgz",
- "integrity": "sha512-jyvi/UF9oIHIP8s1fjaZjRq1BE3ckkyAPEBhpB7GPGrTYRf/7B0tC0aoL3wbcnNpAqwROOG0KCAmPX0YjyQeig=="
+ "version": "1.1.3",
+ "resolved": "https://npme.walmart.com/@walmart/ims-print-services-ui/-/ims-print-services-ui-1.1.3.tgz",
+ "integrity": "sha512-nyRfhNw2PUUcWXVIsi6/8sL3O75hQM6a7CTw2Zrg9oIrbTy1SwCKXZABSpT1xXUF8rTySjBnqvsDitkXu+NOkg=="
},
"@walmart/inbox-mini-app": {
"version": "0.40.0-inbox3.33",
--- package.json
@@ -89,7 +89,7 @@
"@walmart/gta-react-native-calendars": "0.0.15",
"@walmart/gtp-shared-components": "1.8.8",
"@walmart/impersonation-mini-app": "1.2.0",
- "@walmart/ims-print-services-ui": "1.1.1",
+ "@walmart/ims-print-services-ui": "1.1.3",
"@walmart/inbox-mini-app": "0.40.0-inbox3.33",
"@walmart/iteminfo-mini-app": "5.0.5",
"@walmart/manager-approvals-miniapp": "0.0.62",
| Update ims-print-services-ui to 1.1.3 | Update ims-print-services-ui to 1.1.3
|
e2b5560c4f72409e480aafd5902f96c717744a27 | --- src/components/TeamList.tsx
@@ -99,17 +99,32 @@ const styles = StyleSheet.create({
fontWeight: '700',
fontSize: 16,
},
+ expandedStoreTeamItem: {
+ paddingTop: 0,
+ borderBottomWidth: 0,
+ },
workgroupMyTeamHeaderContainer: {
marginLeft: 48,
marginVertical: 0,
paddingVertical: 0,
},
+ primaryTeamCardContent: {
+ marginVertical: 8,
+ },
workgroupCardContainer: {
borderBottomColor: colors.gray[5],
borderBottomWidth: 16,
padding: 0,
marginVertical: 8,
},
+ primaryTeamCardContentSpacing: {
+ paddingVertical: 0,
+ marginVertical: 0,
+ },
+ workgroupListItemContainer: {
+ paddingVertical: 0,
+ marginVertical: 0,
+ },
lastWorkgroupCardContainer: {
borderBottomWidth: 0,
},
@@ -363,11 +378,7 @@ export const TeamChatCard = (props: {
]}>
<>
{
- <ListItem
- UNSAFE_style={{
- paddingVertical: 0,
- marginVertical: 0,
- }}>
+ <ListItem UNSAFE_style={styles.workgroupListItemContainer}>
{workgroupKey === primaryWorkGroup && (
<Text style={styles.workgroupMyTeamOrAreaHeader}>
My area
@@ -406,7 +417,7 @@ export const TeamChatCard = (props: {
return (
<Card UNSAFE_style={style}>
- <CardContent UNSAFE_style={{marginVertical: 8}}>
+ <CardContent UNSAFE_style={styles.primaryTeamCardContent}>
<>
{primaryTeam.length > 0 ? (
<>
@@ -430,9 +441,9 @@ export const TeamChatCard = (props: {
<CardContent
UNSAFE_style={[
styles.workgroupCardContainer,
- {paddingVertical: 0, marginVertical: 0},
+ styles.primaryTeamCardContentSpacing,
]}>
- <StoreTeamItem style={{paddingTop: 0, borderBottomWidth: 0}} />
+ <StoreTeamItem style={styles.expandedStoreTeamItem} />
</CardContent>
)}
{renderWorkgroups()}
--- src/components/TeamList.tsx
@@ -99,17 +99,32 @@ const styles = StyleSheet.create({
fontWeight: '700',
fontSize: 16,
},
+ expandedStoreTeamItem: {
+ paddingTop: 0,
+ borderBottomWidth: 0,
+ },
workgroupMyTeamHeaderContainer: {
marginLeft: 48,
marginVertical: 0,
paddingVertical: 0,
},
+ primaryTeamCardContent: {
+ marginVertical: 8,
+ },
workgroupCardContainer: {
borderBottomColor: colors.gray[5],
borderBottomWidth: 16,
padding: 0,
marginVertical: 8,
},
+ primaryTeamCardContentSpacing: {
+ paddingVertical: 0,
+ marginVertical: 0,
+ },
+ workgroupListItemContainer: {
+ paddingVertical: 0,
+ marginVertical: 0,
+ },
lastWorkgroupCardContainer: {
borderBottomWidth: 0,
},
@@ -363,11 +378,7 @@ export const TeamChatCard = (props: {
]}>
<>
{
- <ListItem
- UNSAFE_style={{
- paddingVertical: 0,
- marginVertical: 0,
- }}>
+ <ListItem UNSAFE_style={styles.workgroupListItemContainer}>
{workgroupKey === primaryWorkGroup && (
<Text style={styles.workgroupMyTeamOrAreaHeader}>
My area
@@ -406,7 +417,7 @@ export const TeamChatCard = (props: {
return (
<Card UNSAFE_style={style}>
- <CardContent UNSAFE_style={{marginVertical: 8}}>
+ <CardContent UNSAFE_style={styles.primaryTeamCardContent}>
<>
{primaryTeam.length > 0 ? (
<>
@@ -430,9 +441,9 @@ export const TeamChatCard = (props: {
<CardContent
UNSAFE_style={[
styles.workgroupCardContainer,
- {paddingVertical: 0, marginVertical: 0},
+ styles.primaryTeamCardContentSpacing,
]}>
- <StoreTeamItem style={{paddingTop: 0, borderBottomWidth: 0}} />
+ <StoreTeamItem style={styles.expandedStoreTeamItem} />
</CardContent>
)}
{renderWorkgroups()}
| adding store team item props | adding store team item props
|
a8980bdc9c38f02312cbe51f5375455a43b436d2 | --- package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/roster-mini-app",
- "version": "2.12.22",
+ "version": "2.12.23",
"main": "dist/index.js",
"files": [
"dist"
--- src/redux/selectors.ts
@@ -44,6 +44,18 @@ export const getRosterConfigData = (state: GlobalState) => {
}
};
+export const getMyTeamConfigData = (state: GlobalState) => {
+ try {
+ return (
+ state.appConfig.data?.myteam || ({} as GlobalState['appConfig']['data'])
+ );
+ } catch (error) {
+ logger.error('get myteam config data error', {
+ message: `error in fetching myteam app config data: ${error}`,
+ });
+ }
+};
+
export const getRmaAppId = createSelector([getRosterConfigData], (state) => {
if (state?.rmaAppId?.error) {
logger.error('getRmaAppId error', {
@@ -233,3 +245,8 @@ export const warningMessageContent = createSelector(
state?.warningMessageContent?.toString() ??
CCMFallbacks.warningMessageContent,
);
+
+export const showManagerTeamsHub = createSelector(
+ [getMyTeamConfigData],
+ (state) => getCCMBooleanStr(state?.showTeamHub, CCMFallbacks.showTeamHub),
+);
--- src/screens/RosterDetailScreen/RosterDetailScreen.tsx
@@ -26,6 +26,7 @@ import {useSelector} from 'react-redux';
import {
displayRoster,
displaySearchInput,
+ showManagerTeamsHub,
teamLeadJobDescriptions,
} from '../../redux/selectors';
import {sortedAssociateList} from '../../utils/associateList';
@@ -101,8 +102,9 @@ export const RosterDetailScreen = ({route}: RosterDetailScreenProps) => {
userDomain?.toLowerCase() === UserDomain.homeoffice;
const showRoster = useSelector(displayRoster);
const showSearchInput = useSelector(displaySearchInput);
+ const showTeamHub: boolean = useSelector(showManagerTeamsHub);
const isSalariedOrLead =
- isTeamLead || isSalaried || isPeopleLead || isHomeOffice;
+ showTeamHub && (isTeamLead || isSalaried || isPeopleLead || isHomeOffice);
const defaultTeamLabel = isSalariedOrLead
? selectedTeamPreference
: initialTeamName;
--- src/utils/ccmFallbacks.ts
@@ -21,6 +21,7 @@ export const CCMFallbacks = {
showTotalScheduledCount: true,
showFilterChipCount: true,
shouldDisplayWarningBanner: false,
+ showTeamHub: true,
warningMessageContent:
'All users must be on the most recent version of Me@ to send and receive messages.',
};
| add show team hub return value | add show team hub return value
|
37240a7377b0ea7e2c7dd00a3a77f901f3fe97e2 | --- src/index.tsx
@@ -55,7 +55,6 @@ firestore()
});
export const TextingMiniApp = () => {
-
return (
<SafeAreaProvider>
<LoggerCloneProvider fields={LOGGER_FIELDS}>
| Update associate clocked in for salaried associates | Update associate clocked in for salaried associates
|
9ba10b03fa0be31f66c785c0cf98f55c70b4e375 | --- patches/@walmart+ask-sam-mini-app+1.2.95.patch
@@ -1,100 +0,0 @@
-diff --git a/node_modules/@walmart/ask-sam-mini-app/dist/containers/ChatFooter/index.js b/node_modules/@walmart/ask-sam-mini-app/dist/containers/ChatFooter/index.js
-index e988fc5..425fc10 100644
---- a/node_modules/@walmart/ask-sam-mini-app/dist/containers/ChatFooter/index.js
-+++ b/node_modules/@walmart/ask-sam-mini-app/dist/containers/ChatFooter/index.js
-@@ -3,7 +3,7 @@ import { useSelector } from 'react-redux';
- import { View, Platform, LayoutAnimation, } from 'react-native';
- import { useSpeechToText } from 'react-native-wm-voice-text';
- import { useNavigation } from '@react-navigation/native';
--import { useScanEffect, useScanner, useScannerState, } from '@walmart/core-services/Scanner';
-+import { useScanEffect } from '@walmart/core-services/Scanner';
- import { ActionChipList, } from '../../components/core/ActionChips/ActionChipList';
- import { useChatLayout } from '../../chat-layout-context';
- import { ChatSourceTypes } from '../../components/chat/ChatTypes';
-@@ -16,38 +16,23 @@ import { DefaultAppConfig } from '../../config/appConfig';
- import { SmartChatInput } from './ChatInput';
- import { ChatControls } from './ChatControls';
- import styles from './styles';
--export const isNonCameraScanner = (scanner) => scanner !== 'Camera Scanner';
-+
- export const ChatFooter = (props) => {
- const { showControls } = props;
- const navigation = useNavigation();
- const telemetry = useAskSamTelemetry();
- const [renderControls, setRenderControls] = useState(showControls);
- const suggestions = useSelector(ChatSelectors.getSuggestions);
-- const { enableMic, enableScan } = useSelector(getAskSamConfig);
-+ const { enableMic, enableScan: scanEnabled } = useSelector(getAskSamConfig);
- const micRemoteEnabled = useAppConfig('microphone', DefaultAppConfig.prod.microphone);
- const { recording, finalResult, start: startRecording, cancel: cancelRecording, } = useSpeechToText();
- const { chatInputVisible, setChatFooterHeight, setChatInputVisible, } = useChatLayout();
- const sendChatRequest = useSendChatRequest();
-- const scanner = useScanner();
-- const { scanners } = useScannerState();
-- const nonCameraScanners = useMemo(() => scanners.filter(isNonCameraScanner), [
-- scanners.length,
-- ]);
-- const onScan = (data) => {
-- sendChatRequest(`Scanned ${data.value}`, ChatSourceTypes.BARCODE_SCAN, {
-- route: 'scan',
-- scan: data,
-- });
-- };
-- useEffect(() => {
-- const scanListener = scanner.addScanListener(onScan);
-- return scanListener.remove;
-- }, []);
-+
- // On Android we hide the controls when input is visible. So show controls
- // based on prop unless Android and input is shown
- const showControlsForPlatform = showControls && !(Platform.OS === 'android' && chatInputVisible);
- const micEnabled = enableMic && micRemoteEnabled;
-- const scanEnabled = enableScan && nonCameraScanners.length === 0;
- useEffect(() => {
- if (Platform.OS === 'ios') {
- LayoutAnimation.configureNext(LayoutAnimation.Presets.easeInEaseOut);
-diff --git a/node_modules/@walmart/ask-sam-mini-app/dist/containers/ScannerScreen/index.js b/node_modules/@walmart/ask-sam-mini-app/dist/containers/ScannerScreen/index.js
-index 4b76cec..bf63691 100644
---- a/node_modules/@walmart/ask-sam-mini-app/dist/containers/ScannerScreen/index.js
-+++ b/node_modules/@walmart/ask-sam-mini-app/dist/containers/ScannerScreen/index.js
-@@ -4,12 +4,10 @@ import { View, Text, Platform } from 'react-native';
- import { useTranslation } from 'react-i18next';
- import { useIsFocused } from '@react-navigation/native';
- import { useSafeAreaInsets } from 'react-native-safe-area-context';
--import { WMScannerView } from 'react-native-wm-barcode';
- import { WmScannerView } from '@walmart/react-native-scanner-3.0';
- import { ScanFlashButton } from '../../navigation/components';
- import { useAskSamTelemetry } from '../../services/Telemetry';
- import { getCoreAppConfig } from '../../redux/selectors';
--import { getTestProps } from '../../transforms/getTestProps';
- import { useSendChatRequest } from '../../hooks/useSendChatRequest';
- import { ChatSourceTypes } from '../../components/chat/ChatTypes';
- import { styles } from './style';
-@@ -52,18 +50,15 @@ export const ScannerScreen = (props) => {
- return `ask-sam-${Date.now()}`;
- }, []);
- return (<View style={styles.container}>
-- {isFocused &&
-- (useScanner3 ? (<WmScannerView config={{
-- throttleIntervalInMillis: 2000,
-- barcodeType: 'intermediate',
-- }} testID="LandingPage-WMScannerView" style={styles.container} isScanning={isFocused} isTorchOn={isFlashOn} onScanReceived={onScanReceived} onScanError={navigation.goBack} license={scanner3License} scanActionType={'single'} logging={{
-- enabled: enableScannerTelemetry || false,
-- featureAppName: 'ask_sam',
-- correlationId: scannerCorrelationId,
-- }}/>) : (<WMScannerView {...getTestProps('WMScannerView')} style={styles.container} isTorchOn={isFlashOn} config={{ guidanceViewEnabled: true, crossHairEnabled: true }} onScanReceived={onScanReceived} onScanError={navigation.goBack} logging={{
-- featureAppName: 'ask_sam',
-- enabled: config?.enableScannerTelemetry || false,
-- }}/>))}
-+ <WmScannerView config={{
-+ throttleIntervalInMillis: 2000,
-+ barcodeType: 'intermediate',
-+ }} testID="LandingPage-WMScannerView" style={styles.container} isScanning={isFocused} isTorchOn={isFlashOn} onScanReceived={onScanReceived} onScanError={navigation.goBack} license={scanner3License} scanActionType={'single'} logging={{
-+ enabled: enableScannerTelemetry || false,
-+ featureAppName: 'ask_sam',
-+ correlationId: scannerCorrelationId,
-+ }}
-+ />
- <View style={[styles.scanInfoOverlayContainer, { paddingBottom: bottom }]}>
- <Text style={styles.scanItemTitleText}>
- {t('scannerScreen.titleText')}
| Deleting the ask sam patch since scanner version is updated | Deleting the ask sam patch since scanner version is updated
|
f83454f38dfc5e4e1b146377e7d1994027f5080b | --- src/translations/es-MX.ts
@@ -28,7 +28,7 @@ export const esMX = {
home: 'Inicio',
me: 'Perfil',
myTeam: 'Mi equipo',
- inbox: 'Buzón',
+ inbox: 'Bandeja de entrada',
taskit: 'Tasks',
askSam: 'Ask Sam',
feedback: 'Comentarios',
| header change | header change
|
b0a7bd9ad3a1ef25fb812e5f8037204d2676c125 | --- ios/AllSpark.xcodeproj/project.pbxproj
@@ -589,6 +589,7 @@
IPHONEOS_DEPLOYMENT_TARGET = 12.0;
LD_RUNPATH_SEARCH_PATHS = "$(inherited) @executable_path/Frameworks";
LIBRARY_SEARCH_PATHS = (
+ "$(SDKROOT)/usr/lib/swift",
"$(inherited)",
"$(SDKROOT)/usr/lib/swift/**",
);
| Update project.pbxproj | Update project.pbxproj
|
7d14517855ef1f1e668c5338135994a23722c733 | --- src/components/AssociateRosterItem/index.tsx
@@ -45,7 +45,7 @@ export const AssociateRosterItem = React.memo((props: AssociateItemProps) => {
SiteSelectors.getUserWorkingSite,
);
const currentUser = useSelector(UserSelectors.getUser) as Associate;
- const isWeeklyScheduleVisible = useRbacConfigWithJobCode();
+ const isWeeklyScheduleVisible: boolean = useRbacConfigWithJobCode();
const userIsInRoster = useUserIsInRoster();
const isPushToTalkEnabled: boolean = useSelector(pushToTalkEnabled);
const isMessageButtonEnabled: boolean = useSelector(messageButtonEnabled);
--- src/components/RosterHeader.tsx
@@ -29,7 +29,7 @@ export type RosterHeaderProps = {
export const RosterHeader = (props: RosterHeaderProps) => {
const {teamName, associates} = props;
const {t} = useTranslation([TEXTING_I18N_NAMESPACE]);
- const isWeeklyScheduleVisible = useRbacConfigWithJobCode();
+ const isWeeklyScheduleVisible: boolean = useRbacConfigWithJobCode();
const associateWINs = useMemo(
() =>
--- src/containers/RosterFilters.tsx
@@ -59,7 +59,7 @@ export const RosterFilters = (props: {
const offlineUserIds = useOfflineIds();
const viewerId = useSelector(getEncryptedUserId);
- const isAllFilterChipsVisible = useRbacConfigWithJobCode();
+ const isAllFilterChipsVisible: boolean = useRbacConfigWithJobCode();
// Used for reference, does not need to trigger render
const selectedFilter = useRef<FilterValue>(FilterValue.all);
--- src/components/AssociateRosterItem/index.tsx
@@ -45,7 +45,7 @@ export const AssociateRosterItem = React.memo((props: AssociateItemProps) => {
SiteSelectors.getUserWorkingSite,
);
const currentUser = useSelector(UserSelectors.getUser) as Associate;
- const isWeeklyScheduleVisible = useRbacConfigWithJobCode();
+ const isWeeklyScheduleVisible: boolean = useRbacConfigWithJobCode();
const userIsInRoster = useUserIsInRoster();
const isPushToTalkEnabled: boolean = useSelector(pushToTalkEnabled);
const isMessageButtonEnabled: boolean = useSelector(messageButtonEnabled);
--- src/components/RosterHeader.tsx
@@ -29,7 +29,7 @@ export type RosterHeaderProps = {
export const RosterHeader = (props: RosterHeaderProps) => {
const {teamName, associates} = props;
const {t} = useTranslation([TEXTING_I18N_NAMESPACE]);
- const isWeeklyScheduleVisible = useRbacConfigWithJobCode();
+ const isWeeklyScheduleVisible: boolean = useRbacConfigWithJobCode();
const associateWINs = useMemo(
() =>
--- src/containers/RosterFilters.tsx
@@ -59,7 +59,7 @@ export const RosterFilters = (props: {
const offlineUserIds = useOfflineIds();
const viewerId = useSelector(getEncryptedUserId);
- const isAllFilterChipsVisible = useRbacConfigWithJobCode();
+ const isAllFilterChipsVisible: boolean = useRbacConfigWithJobCode();
// Used for reference, does not need to trigger render
const selectedFilter = useRef<FilterValue>(FilterValue.all);
| update return type | update return type
|
c4784136eb60f483201b7cacb6ce6acbbaaa8a34 | --- package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/myteam-mini-app",
- "version": "3.4.0-alpha.2",
+ "version": "3.4.0",
"main": "dist/index.js",
"files": [
"dist",
@@ -88,9 +88,9 @@
"@walmart/react-native-logger": "1.35.0",
"@walmart/react-native-scanner-3.0": "0.10.4",
"@walmart/react-native-sumo-sdk": "2.8.0",
- "@walmart/roster-mini-app": "3.4.0-alpha.2",
+ "@walmart/roster-mini-app": "3.7.0",
"@walmart/ui-components": "1.15.1",
- "@walmart/wmconnect-mini-app": "3.4.0-alpha.2",
+ "@walmart/wmconnect-mini-app": "3.6.0",
"babel-jest": "^29.6.3",
"chance": "^1.1.11",
"crypto-js": "~4.2.0",
--- yarn.lock
@@ -6348,9 +6348,9 @@ __metadata:
"@walmart/react-native-logger": "npm:1.35.0"
"@walmart/react-native-scanner-3.0": "npm:0.10.4"
"@walmart/react-native-sumo-sdk": "npm:2.8.0"
- "@walmart/roster-mini-app": "npm:3.4.0-alpha.2"
+ "@walmart/roster-mini-app": "npm:3.7.0"
"@walmart/ui-components": "npm:1.15.1"
- "@walmart/wmconnect-mini-app": "npm:3.4.0-alpha.2"
+ "@walmart/wmconnect-mini-app": "npm:3.6.0"
babel-jest: "npm:^29.6.3"
chance: "npm:^1.1.11"
crypto-js: "npm:~4.2.0"
@@ -6455,9 +6455,9 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/roster-mini-app@npm:3.4.0-alpha.2":
- version: 3.4.0-alpha.2
- resolution: "@walmart/roster-mini-app@npm:3.4.0-alpha.2::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Froster-mini-app%2F-%2F%40walmart%2Froster-mini-app-3.4.0-alpha.2.tgz"
+"@walmart/roster-mini-app@npm:3.7.0":
+ version: 3.7.0
+ resolution: "@walmart/roster-mini-app@npm:3.7.0::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Froster-mini-app%2F-%2F%40walmart%2Froster-mini-app-3.7.0.tgz"
peerDependencies:
"@walmart/allspark-foundation": ">=6.32.0"
expo: ~52.0.46
@@ -6468,7 +6468,7 @@ __metadata:
dependenciesMeta:
"@walmart/me-at-walmart":
built: false
- checksum: 10c0/23f73509933c8a99c38f146224609f1c0432567d7389cde8f929ad851d6e99d5a93e9039671a394c3b8b7fd45ce4282847879df3c623aeaaf913c401f6515afa
+ checksum: 10c0/049433ac68524af208e699ad5d439b64402003fbc86eb9248f2a85059a87dceb66f51a7037710deaccf6003ac9d2a49db315630250981d5780dc66166d225174
languageName: node
linkType: hard
@@ -6492,9 +6492,9 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/wmconnect-mini-app@npm:3.4.0-alpha.2":
- version: 3.4.0-alpha.2
- resolution: "@walmart/wmconnect-mini-app@npm:3.4.0-alpha.2::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Fwmconnect-mini-app%2F-%2F%40walmart%2Fwmconnect-mini-app-3.4.0-alpha.2.tgz"
+"@walmart/wmconnect-mini-app@npm:3.6.0":
+ version: 3.6.0
+ resolution: "@walmart/wmconnect-mini-app@npm:3.6.0::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Fwmconnect-mini-app%2F-%2F%40walmart%2Fwmconnect-mini-app-3.6.0.tgz"
peerDependencies:
"@walmart/allspark-foundation": ">=6.32.0"
expo: ~52.0.46
@@ -6505,7 +6505,7 @@ __metadata:
dependenciesMeta:
"@walmart/me-at-walmart":
built: false
- checksum: 10c0/689f63f126024d93e0b7695062aacb12b90dd16fda2a78902df9eaf18e43bbf85a19e9231ceef42a9ba312435d5d2fff9f9bca71b1dc3f2dc0ba35a9e304b134
+ checksum: 10c0/1ba0b0dfadb2f9dc7813bda36d88c9961e2cf2b8204fbda6a2c4465c09fb077b2c65b60f425787c5d7bf866e63d2d6a60d2ac14270667f8b7b746c58edbc7912
languageName: node
linkType: hard
| feat(ui): update version for drop 34 | feat(ui): update version for drop 34
|
6e03bb7acbddd5a825f9203127d9d0ed893f7b1b | --- package.json
@@ -64,7 +64,7 @@
"@sharcoux/slider": "^5.2.1",
"@terrylinla/react-native-sketch-canvas": "^0.8.0",
"@walmart/allspark-health-survey-mini-app": "0.0.41",
- "@walmart/allspark-home-mini-app": "0.4.0",
+ "@walmart/allspark-home-mini-app": "0.4.12-test.0",
"@walmart/allspark-me-mini-app": "0.1.0",
"@walmart/ask-sam-mini-app": "0.30.2",
"@walmart/config-components": "^1.0.26",
| bumping home version for covid banner | bumping home version for covid banner
|
84466cdad5f47fe82411a27902748248d2f73ed9 | --- .looper-pr.yml
@@ -41,4 +41,3 @@ envs:
-
| feat(ui): update group name in looper smdv-7738 | feat(ui): update group name in looper smdv-7738
|
53ebad240b72771a2ff0dba9c2130d204eb14076 | --- __tests__/updates/UpdateCheckSagaTest.ts
@@ -141,13 +141,46 @@ describe('onCheckForUpdates', () => {
expect(iterator.next().done).toBe(true);
});
- it('does not show prompt if user has seen prompt for latest upate', () => {
+ it('does show prompt if forceUpdate is true even if user previously viewed prompt', () => {
const currentAppVersion = '1.9.6';
const lastVersion = '2.0.1';
const isRestrictedDevice = false;
const iterator = onCheckForUpdates();
+ expect(iterator.next().value).toEqual(
+ call(wmConfig.getValue, 'core', 'allsparkUpdates'),
+ );
+ expect(iterator.next(firebaseAsString).value).toEqual(
+ call(AsyncStorage.getItem, lastVersionKey),
+ );
+ expect(iterator.next(lastVersion).value).toEqual(
+ call(DeviceInfo.getVersion),
+ );
+
+ expect(iterator.next(currentAppVersion).value).toEqual(
+ call(getIsRestrictedDevice),
+ );
+ expect(iterator.next(isRestrictedDevice).value).toEqual(
+ put(UpdateCheckActionCreators.setUpdateAvailable(true, updateInfo)),
+ );
+ expect(iterator.next().value).toEqual(
+ call(AsyncStorage.setItem, lastVersionKey, updateInfo.versionNumber),
+ );
+ expect(iterator.next().value).toEqual(
+ put(UpdateCheckActionCreators.setPrompt(true)),
+ );
+ expect(iterator.next().done).toBe(true);
+ });
+
+ it('does not show prompt if user has seen prompt for latest update and forceUpdate is false', () => {
+ const currentAppVersion = '1.9.6';
+ const lastVersion = '2.0.1';
+ const isRestrictedDevice = false;
+ updateInfo.forceUpdate = false;
+
+ const iterator = onCheckForUpdates();
+
expect(iterator.next().value).toEqual(
call(wmConfig.getValue, 'core', 'allsparkUpdates'),
);
--- src/updates/UpdateCheckSaga.ts
@@ -21,6 +21,7 @@ export function* onCheckForUpdates() {
const updateInfo = JSON.parse(config.asString());
const latestVersion = updateInfo.versionNumber;
+ const isForceUpdate = updateInfo.forceUpdate;
const lastPromptedVersion = yield call(
AsyncStorage.getItem,
lastVersionKey,
@@ -37,8 +38,9 @@ export function* onCheckForUpdates() {
);
const hasSeenUpdatePrompt = lastPromptedVersion === latestVersion;
+ const shouldSeeUpdatePrompt = isForceUpdate || !hasSeenUpdatePrompt;
- if (updateAvailable && !hasSeenUpdatePrompt) {
+ if (updateAvailable && shouldSeeUpdatePrompt) {
yield call(AsyncStorage.setItem, lastVersionKey, latestVersion);
yield put(UpdateCheckActionCreators.setPrompt(true));
} else {
| fix force update check (#335) | fix force update check (#335)
Co-authored-by: Anthony Helms - awhelms <awhelms@wal-mart.com>
Co-authored-by: Hitesh Arora - h0a006n <Hitesh.Arora@walmart.com> |
79ac62d785638f61a69e252ea71be72f47612c17 | --- __tests__/navigation/AssociateHallwayNav/Tabs/__snapshots__/HomeStackNavTest.tsx.snap
@@ -90,6 +90,36 @@ exports[`HomeStackNav matches snapshot 1`] = `
<Screen
name="metrics.viewAllFreights"
/>
+ <Screen
+ name="metrics.shrinkDrilldown"
+ options={
+ Object {
+ "title": "Shrink",
+ }
+ }
+ />
+ <Screen
+ name="metrics.shrinkSkuVsBookDrilldown"
+ options={
+ Object {
+ "title": "SKU vs Book",
+ }
+ }
+ />
+ <Screen
+ name="metrics.shrinkInvVsSalesDrilldown"
+ options={
+ Object {
+ "title": "Inventory vs Sales",
+ }
+ }
+ />
+ <Screen
+ name="metrics.viewMoreMetrics"
+ />
+ <Screen
+ name="metrics.woshDrilldown"
+ />
</Navigator>
`;
@@ -213,6 +243,36 @@ exports[`HomeStackNav matches snapshot when user is not present 1`] = `
<Screen
name="metrics.viewAllFreights"
/>
+ <Screen
+ name="metrics.shrinkDrilldown"
+ options={
+ Object {
+ "title": "Shrink",
+ }
+ }
+ />
+ <Screen
+ name="metrics.shrinkSkuVsBookDrilldown"
+ options={
+ Object {
+ "title": "SKU vs Book",
+ }
+ }
+ />
+ <Screen
+ name="metrics.shrinkInvVsSalesDrilldown"
+ options={
+ Object {
+ "title": "Inventory vs Sales",
+ }
+ }
+ />
+ <Screen
+ name="metrics.viewMoreMetrics"
+ />
+ <Screen
+ name="metrics.woshDrilldown"
+ />
</Navigator>
`;
| updating snapshots | updating snapshots
|
39a39a1a0fd929dab4efb8c5316f8cde7c83487e | --- android/app/src/main/res/layout/launch_screen.xml
@@ -1,9 +1,15 @@
<?xml version="1.0" encoding="utf-8"?>
-<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
- android:layout_width="match_parent"
- android:layout_height="match_parent"
- android:background="@drawable/background_splash"
- android:orientation="vertical"
- >
-</LinearLayout>
+<androidx.constraintlayout.widget.ConstraintLayout
+ xmlns:android="http://schemas.android.com/apk/res/android"
+ android:layout_width="match_parent"
+ android:layout_height="match_parent"
+ android:background="@color/blue">
+ <ImageView
+ android:layout_width="match_parent"
+ android:layout_height="match_parent"
+ android:scaleType="center"
+ android:src="@drawable/background_splash"
+ />
+
+</androidx.constraintlayout.widget.ConstraintLayout>
--- android/app/src/main/res/values/styles.xml
@@ -7,7 +7,7 @@
</style>
<style name="SplashTheme" parent="Theme.AppCompat.Light.NoActionBar">
- <item name="android:windowBackground">@layout/launch_screen</item>
+ <item name="android:windowBackground">@drawable/background_splash</item>
<item name="android:statusBarColor">@color/blue</item>
</style>
</resources>
| Fix android | Fix android
|
1085124522d3af9d76644ab21857581e9dc5c84b | --- src/changeStore/ChangeStoreModal.tsx
@@ -13,6 +13,7 @@ import {useAllsparkTranslation} from '@walmart/allspark-foundation/Translation';
import {SiteSelectors} from '@walmart/allspark-foundation/Site';
import {UserActionCreators} from '@walmart/allspark-foundation/User';
import {useSnackbar} from '@walmart/gtp-shared-components';
+import {useSidekickAssistantFABFocusEffect} from '@walmart/me-at-walmart-common';
import {Telemetry} from '../core/Telemetry';
import {MainStackScreenProps} from '../navigation/USHallway/AssociateHallwayNav/types';
@@ -64,6 +65,11 @@ export const ChangeStoreModal = (
const [t] = useAllsparkTranslation();
const snackbar = useSnackbar();
+ // Hide the SidekickAssistantFAB when this modal is active
+ useSidekickAssistantFABFocusEffect({
+ visible: false,
+ });
+
const [keyboardOpen, setKeyboardOpen] = useState(false);
const [modalHeight, setModalHeight] = useState<number>();
const opacity = useRef(new Animated.Value(1)).current;
--- src/storeInfo/StoreInfoModal.tsx
@@ -3,6 +3,7 @@ import {StyleSheet} from 'react-native';
import {StackScreenProps} from '@react-navigation/stack';
import {useSafeAreaInsets} from 'react-native-safe-area-context';
import {useAllsparkTranslation} from '@walmart/allspark-foundation/Translation';
+import {useSidekickAssistantFABFocusEffect} from '@walmart/me-at-walmart-common';
import {BottomSheet, BottomSheetHeader} from '../core/BottomSheet';
import {StoreInfo} from './StoreInfo';
@@ -33,6 +34,11 @@ export const StoreInfoModal = (
const [t] = useAllsparkTranslation();
const offsets = useSafeAreaInsets();
+ // Hide the SidekickAssistantFAB when this modal is active
+ useSidekickAssistantFABFocusEffect({
+ visible: false,
+ });
+
const storeInfo = useStoreInfo(store, countryCode);
const onRetry = () => storeInfo.fetch({businessUnitNbr: store, countryCode});
| feat(ui): ALLSPARK-6337 FAB hidden for storemodal | feat(ui): ALLSPARK-6337 FAB hidden for storemodal
|
34496dd01014cdbf51997d9a6066f8e47cc621ae | --- package.json
@@ -145,7 +145,7 @@
"@walmart/shelfavailability-mini-app": "1.5.26",
"@walmart/store-feature-orders": "1.26.9",
"@walmart/taskit-mini-app": "3.0.2",
- "@walmart/time-clock-mini-app": "2.395.0",
+ "@walmart/time-clock-mini-app": "2.399.0",
"@walmart/topstock-mini-app": "1.10.8",
"@walmart/ui-components": "patch:@walmart/ui-components@npm%3A1.15.14#~/.yarn/patches/@walmart-ui-components-npm-1.15.14-a6f67304be.patch",
"@walmart/welcomeme-mini-app": "0.94.0",
--- yarn.lock
@@ -7203,9 +7203,9 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/time-clock-mini-app@npm:2.395.0":
- version: 2.395.0
- resolution: "@walmart/time-clock-mini-app@npm:2.395.0"
+"@walmart/time-clock-mini-app@npm:2.399.0":
+ version: 2.399.0
+ resolution: "@walmart/time-clock-mini-app@npm:2.399.0"
dependencies:
"@react-navigation/elements": "npm:^1.3.1"
moment-timezone: "npm:0.5.33"
@@ -7248,7 +7248,7 @@ __metadata:
uuid: ^3.3.2
wifi-store-locator: ^1.4.0
xdate: ^0.8.2
- checksum: 10c0/4d4e1b5a3f8499bc4e72c6619e2ccde7d80652d72868ae1b7b7e778900bac17a2799be5f234bc168742e20425604cf0066e69906a5ecfb687459452b5b39c595
+ checksum: 10c0/dff43891adbe243f50464fe73d5a0b961aabf04129f831d7cb4aee7d4377f3ce84766a60ad4c15b55b7552a6d332c5d161f490b17e415a18fddd7bd372c306c0
languageName: node
linkType: hard
@@ -7860,7 +7860,7 @@ __metadata:
"@walmart/shelfavailability-mini-app": "npm:1.5.26"
"@walmart/store-feature-orders": "npm:1.26.9"
"@walmart/taskit-mini-app": "npm:3.0.2"
- "@walmart/time-clock-mini-app": "npm:2.395.0"
+ "@walmart/time-clock-mini-app": "npm:2.399.0"
"@walmart/topstock-mini-app": "npm:1.10.8"
"@walmart/ui-components": "patch:@walmart/ui-components@npm%3A1.15.14#~/.yarn/patches/@walmart-ui-components-npm-1.15.14-a6f67304be.patch"
"@walmart/welcomeme-mini-app": "npm:0.94.0"
| Update time clock mini app to version 2.399.0 | Update time clock mini app to version 2.399.0
|
55bab85f347da5448501cd1a99c539312ba41120 | --- src/managerExperience/screens/AllTeamsScreen/AllTeamsScreen.tsx
@@ -173,8 +173,7 @@ export const AllTeamsScreen = () => {
accessible={true}
accessibilityLabel={`${t('rosterScreen.teamWorkgroup.myArea')} ${
section.areaName
- }`}
- >
+ }`}>
<Text style={styles.myArea}>
{t('rosterScreen.teamWorkgroup.myArea')}
</Text>
| update prettier setting | update prettier setting
|
8a55270067e343ff0b05dac20cba3a57707bccdb | --- __tests__/sumo/SumoSagasTest.ts
@@ -577,8 +577,8 @@ describe('sumoSagas', () => {
const iterator = sumoSagas();
expect(iterator.next().value).toEqual(
all([
- takeLeading(500, USER_CHANGED_ACTIONS, onUserChange),
- takeLeading(500, SIGN_OUT_SUCCESS, onSignOut),
+ takeLeading(USER_CHANGED_ACTIONS, onUserChange),
+ takeLeading(SIGN_OUT_SUCCESS, onSignOut),
takeLatest(SumoTypes.OPT_IN_REQUEST, onOptInRequest),
takeLatest(SumoTypes.PROFILE_SUCCESS, persistOptInSetting),
takeLatest(TOKEN_CHANGED_ACTION, onTokenChanged),
| Test fix | Test fix
|
34082ee8eaa30cc09b28ee5471568165b7f4be47 | --- packages/me-at-walmart-container/src/http/constants.ts
@@ -2,3 +2,5 @@ export const HTTP_SUCCESS_LOG_RATE_KEY = 'httpSuccessRate';
export const DEFAULT_HTTP_SUCCESS_LOG_RATE = 0.01; // 1%
export const HTTP_HEADER_SIZE_LIMIT_KEY = 'httpHeaderSizeLimit';
export const DEFAULT_HTTP_HEADER_SIZE_LIMIT = 8000; // in Bytes, 8kb
+export const ALLOWED_HTTP_401_ERROR_KEY = 'allowedHttp401Limit';
+export const DEFAULT_ALLOWED_HTTP_401_LIMIT = 3; // 4th one will result in signout
--- packages/me-at-walmart-container/src/http/interceptors/unauthorized.ts
@@ -0,0 +1,54 @@
+import { Interceptor } from '@walmart/allspark-foundation/HTTP';
+import { AllsparkReduxStore } from '@walmart/allspark-foundation/Redux';
+import { MeAtWalmartAuthActions } from '@walmart/me-at-walmart-common';
+
+import { MeAtWalmartLogger } from '../../services/logger';
+import { MeAtWalmartTelemetry } from '../../services/telemetry';
+import { getAllowedHttp401ErrorLimit } from '../utils';
+
+type UnathorizedHttpCode = 401;
+
+const statusList: UnathorizedHttpCode[] = [];
+
+//Sign user out if consecutive 401 errors encountered are more than 3 or value defined in CCM
+export const UnauthorizedInterceptor: Interceptor = {
+ response: {
+ fulfilled: async (response) => {
+ statusList.length = 0; //reset http status tracker.
+ return response;
+ },
+ },
+ request: {
+ rejected: async (error) => {
+ const { response } = error;
+
+ if (response?.status === 401) {
+ statusList.push(response?.status);
+
+ const limit = await getAllowedHttp401ErrorLimit();
+ const code = `repeated_401`;
+
+ if (statusList.length > limit) {
+ MeAtWalmartLogger.error(
+ 'Signing user out due to repeated 401 errors',
+ {
+ limit,
+ message: 'User is signed out due to repeated 401 errors',
+ }
+ );
+ MeAtWalmartTelemetry.logEvent(`sign_out_init_on_${code}`, {
+ code,
+ limit: String(limit),
+ });
+ AllsparkReduxStore.dispatch(
+ MeAtWalmartAuthActions.SIGN_OUT_REQUEST(code)
+ );
+ }
+ } else {
+ statusList.length = 0; //reset http status tracker.
+ }
+
+ return Promise.reject(error);
+ },
+ },
+};
--- packages/me-at-walmart-container/src/http/utils.ts
@@ -6,6 +6,8 @@ import {
DEFAULT_HTTP_SUCCESS_LOG_RATE,
DEFAULT_HTTP_HEADER_SIZE_LIMIT,
HTTP_HEADER_SIZE_LIMIT_KEY,
+ ALLOWED_HTTP_401_ERROR_KEY,
+ DEFAULT_ALLOWED_HTTP_401_LIMIT,
} from './constants';
// Get log rate config value from async storage
@@ -51,3 +53,23 @@ export const getHeaderSizeLimit = memoize(
getAsyncHeaderSizeLimit,
() => HTTP_HEADER_SIZE_LIMIT_KEY
);
+
+//Get allowed http 401 error limit from async storage.
+export async function getAsyncAllowedHttp401ErrorLimit() {
+ try {
+ const cacheValue = await MeAtWalmartLocalStorage.get(
+ ALLOWED_HTTP_401_ERROR_KEY
+ );
+ return Number(cacheValue || DEFAULT_ALLOWED_HTTP_401_LIMIT);
+ } catch (error) {
+ MeAtWalmartLogger.warn('CACHE: GET_ALLOWED_HTTP_401_LIMIT_ERROR', {
+ message: (error as Error).message,
+ });
+ return DEFAULT_ALLOWED_HTTP_401_LIMIT;
+ }
+}
+
+export const getAllowedHttp401ErrorLimit = memoize(
+ getAsyncAllowedHttp401ErrorLimit,
+ () => ALLOWED_HTTP_401_ERROR_KEY
+);
--- packages/me-at-walmart-container/src/redux/localStorage.ts
@@ -11,6 +11,7 @@ import {
LocalStorageLogger,
} from '../services/localStorage';
import {
+ ALLOWED_HTTP_401_ERROR_KEY,
HTTP_HEADER_SIZE_LIMIT_KEY,
HTTP_SUCCESS_LOG_RATE_KEY,
} from '../http/constants';
@@ -39,6 +40,12 @@ export function* onAppConfigSuccess() {
String(containerConfig.httpHeaderSizeLimit),
]);
+ containerConfig.allowedHttp401Limit &&
+ cacheValues.push([
+ ALLOWED_HTTP_401_ERROR_KEY,
+ String(containerConfig.allowedHttp401Limit),
+ ]);
+
try {
if (cacheValues.length) {
MeAtWalmartLocalStorage.multiSet(cacheValues);
| feat: add unauthroized interceptor to log out on repeated 401s | feat: add unauthroized interceptor to log out on repeated 401s
|
95b174be8b6aaa9a5625f3bcd7c1aa42d7915d8e | --- package-lock.json
@@ -4380,9 +4380,9 @@
"integrity": "sha512-rt56lVXxfj0DWIjqUqn3oXpAlbe7YrOi6/c5hcGByaFe/f42qmPsesxWK3xkKOMsJ7LUXZz50aCb1+lHlv2kog=="
},
"@walmart/push-to-talk-mini-app": {
- "version": "1.7.5",
- "resolved": "https://npme.walmart.com/@walmart/push-to-talk-mini-app/-/push-to-talk-mini-app-1.7.5.tgz",
- "integrity": "sha512-B4Jx72bAZU0PyRx6b5/koxcoMEplOEDtPvDWXx1DsLhMfBmPl9hI6z6wIN4cDTLDdWGa45Nz5yZrvhgKyykIaw=="
+ "version": "1.7.6",
+ "resolved": "https://npme.walmart.com/@walmart/push-to-talk-mini-app/-/push-to-talk-mini-app-1.7.6.tgz",
+ "integrity": "sha512-U7nVey6hhFp8qCGBgD2wbIVo8wQAMCf3okcOBFxzzmWlZZiOG8EsRgkLEyTUzjmK3jcJYSCvFB9Xz6Xw6pX4Ag=="
},
"@walmart/react-native-collapsible": {
"version": "1.5.3",
@@ -6268,7 +6268,7 @@
"isarray": {
"version": "1.0.0",
"resolved": "https://npme.walmart.com/isarray/-/isarray-1.0.0.tgz",
- "integrity": "sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ=="
+ "integrity": "sha1-u5NdSFgsuhaMBoNJV6VKPgcSTxE="
},
"process-nextick-args": {
"version": "2.0.1",
@@ -7073,7 +7073,7 @@
"es6-promisify": {
"version": "5.0.0",
"resolved": "https://npme.walmart.com/es6-promisify/-/es6-promisify-5.0.0.tgz",
- "integrity": "sha512-C+d6UdsYDk0lMebHNR4S2NybQMMngAOnOwYBQjTOiv0MkoJMP0Myw2mgpDLBcpfCmRLxyFqYhS/CfOENq4SJhQ==",
+ "integrity": "sha1-UQnWLz5W6pZ8S2NQWu8IKRyKUgM=",
"requires": {
"es6-promise": "^4.0.3"
}
@@ -8365,7 +8365,7 @@
"github-from-package": {
"version": "0.0.0",
"resolved": "https://npme.walmart.com/github-from-package/-/github-from-package-0.0.0.tgz",
- "integrity": "sha512-SyHy3T1v2NUXn29OsWdxmK6RwHD+vkj3v8en8AOBZ1wBQ/hCAQ5bAQTD02kW4W9tUp/3Qh6J8r9EvntiyCmOOw=="
+ "integrity": "sha1-l/tdlr/eiXMxPyDoKI75oWf6ZM4="
},
"glob": {
"version": "7.1.6",
@@ -8951,7 +8951,7 @@
"http-basic": {
"version": "2.5.1",
"resolved": "https://npme.walmart.com/http-basic/-/http-basic-2.5.1.tgz",
- "integrity": "sha512-q/qOkgjcnZ90v0wSaMwamhfAhIf6lhOsH0ehHFnQHAt1lA9MedSnmqEEnh8bq0njTBAK3IsmS2gEuXryfWCDkw==",
+ "integrity": "sha1-jORHvbW2xXf4pj4/p4BW7Eu02/s=",
"requires": {
"caseless": "~0.11.0",
"concat-stream": "^1.4.6",
@@ -8961,7 +8961,7 @@
"caseless": {
"version": "0.11.0",
"resolved": "https://npme.walmart.com/caseless/-/caseless-0.11.0.tgz",
- "integrity": "sha512-ODLXH644w9C2fMPAm7bMDQ3GRvipZWZfKc+8As6hIadRIelE0n0xZuN38NS6kiK3KPEVrpymmQD8bvncAHWQkQ=="
+ "integrity": "sha1-cVuW6phBWTzDMGeSP17GDr2k99c="
}
}
},
@@ -9008,7 +9008,7 @@
"http-response-object": {
"version": "1.1.0",
"resolved": "https://npme.walmart.com/http-response-object/-/http-response-object-1.1.0.tgz",
- "integrity": "sha512-adERueQxEMtIfGk4ee/9CG7AGUjS09OyHeKrubTjmHUsEVXesrGlZLWYnCL8fajPZIX9H4NDnXyyzBPrF078sA=="
+ "integrity": "sha1-p8TnWq6C87tJBOT0P2FWc7TVGMM="
},
"http-signature": {
"version": "1.2.0",
@@ -15876,7 +15876,7 @@
"nano-time": {
"version": "1.0.0",
"resolved": "https://npme.walmart.com/nano-time/-/nano-time-1.0.0.tgz",
- "integrity": "sha512-flnngywOoQ0lLQOTRNexn2gGSNuM9bKj9RZAWSzhQ+UJYaAFG9bac4DW9VHjUAzrOaIcajHybCTHe/bkvozQqA==",
+ "integrity": "sha1-sFVPaa2J4i0JB/ehKwmTpdlhN+8=",
"requires": {
"big-integer": "^1.6.16"
}
@@ -17373,7 +17373,7 @@
"strip-json-comments": {
"version": "2.0.1",
"resolved": "https://npme.walmart.com/strip-json-comments/-/strip-json-comments-2.0.1.tgz",
- "integrity": "sha512-4gB8na07fecVVkOI6Rs4e7T6NOTki5EmL7TUduTs6bu3EdnSycntVJ4re8kgZA+wx9IueI2Y11bfbgwtzuE0KQ=="
+ "integrity": "sha1-PFMZQukIwml8DsNEhYwobHygpgo="
}
}
},
@@ -17846,7 +17846,7 @@
},
"react-native-ptt-module": {
"version": "1.5.96",
- "resolved": "https://npme.walmart.com/react-native-ptt-module/-/react-native-ptt-module-1.5.96.tgz",
+ "resolved": "http://localhost:4873/react-native-ptt-module/-/react-native-ptt-module-1.5.96.tgz",
"integrity": "sha512-O2mRj8YGCVm/QFFhk9uRkNtYC0Odhd+9fG9SVL0hi4WkoM2g+eycroZs8KaQzfnt2rkgWO0OO/qzhlJpHjlsIQ=="
},
"react-native-qrcode-svg": {
@@ -18593,7 +18593,7 @@
"remove-accents": {
"version": "0.4.2",
"resolved": "https://npme.walmart.com/remove-accents/-/remove-accents-0.4.2.tgz",
- "integrity": "sha512-7pXIJqJOq5tFgG1A2Zxti3Ht8jJF337m4sowbuHsW30ZnkQFnDzy9qBNhgzX8ZLW4+UBcXiiR7SwR6pokHsxiA=="
+ "integrity": "sha1-CkPTqq4egNuRngeuJUsoXZ4ce7U="
},
"remove-trailing-separator": {
"version": "1.1.0",
@@ -18650,7 +18650,7 @@
"requires-port": {
"version": "1.0.0",
"resolved": "https://npme.walmart.com/requires-port/-/requires-port-1.0.0.tgz",
- "integrity": "sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ=="
+ "integrity": "sha1-kl0mAdOaxIXgkc8NpcbmlNw9yv8="
},
"reselect": {
"version": "4.1.5",
@@ -19455,7 +19455,7 @@
"stream-counter": {
"version": "1.0.0",
"resolved": "https://npme.walmart.com/stream-counter/-/stream-counter-1.0.0.tgz",
- "integrity": "sha512-4nfHc1016AhNOs0CFDR3S0FNeqnYbT7xZ408coajcx2Msj8malNNjvFHzWYIfIAXNK5i0eaKIVfgBYPOkyOTIg=="
+ "integrity": "sha1-kc8lac5NxQYf6816yyY5SloRR1E="
},
"strict-uri-encode": {
"version": "2.0.0",
@@ -19667,7 +19667,7 @@
"sync-request": {
"version": "3.0.1",
"resolved": "https://npme.walmart.com/sync-request/-/sync-request-3.0.1.tgz",
- "integrity": "sha512-bnOSypECs6aB9ScWHcJAkS9z55jOhO3tdLefLfJ+J58vC2HCi5tjxmFMxLv0RxvuAFFQ/G4BupVehqpAlbi+3Q==",
+ "integrity": "sha1-yqEjWq+Im6UBB2oYNMQ2gwqC+3M=",
"requires": {
"concat-stream": "^1.4.7",
"http-response-object": "^1.0.1",
@@ -19797,7 +19797,7 @@
"then-request": {
"version": "2.2.0",
"resolved": "https://npme.walmart.com/then-request/-/then-request-2.2.0.tgz",
- "integrity": "sha512-YM/Fho1bQ3JFX9dgFQsBswc3aSTePXvtNHl3aXJTZNz/444yC86EVJR92aWMRNA0O9X0UfmojyCTUcT8Lbo5yA==",
+ "integrity": "sha1-ZnizL6DKIY/laZgbvYhxtZQGDYE=",
"requires": {
"caseless": "~0.11.0",
"concat-stream": "^1.4.7",
@@ -19810,7 +19810,7 @@
"caseless": {
"version": "0.11.0",
"resolved": "https://npme.walmart.com/caseless/-/caseless-0.11.0.tgz",
- "integrity": "sha512-ODLXH644w9C2fMPAm7bMDQ3GRvipZWZfKc+8As6hIadRIelE0n0xZuN38NS6kiK3KPEVrpymmQD8bvncAHWQkQ=="
+ "integrity": "sha1-cVuW6phBWTzDMGeSP17GDr2k99c="
},
"promise": {
"version": "7.3.1",
@@ -19997,7 +19997,7 @@
"typedarray": {
"version": "0.0.6",
"resolved": "https://npme.walmart.com/typedarray/-/typedarray-0.0.6.tgz",
- "integrity": "sha512-/aCDEGatGvZ2BIk+HmLf4ifCJFwvKFNb9/JeZPMulfgFracn9QFcAf5GO8B/mweUjSoblS5In0cWhqpfs/5PQA=="
+ "integrity": "sha1-hnrHTjhkGHsdPUfZlqeOxciDB3c="
},
"typedarray-to-buffer": {
"version": "3.1.5",
--- package.json
@@ -91,7 +91,7 @@
"@walmart/moment-walmart": "1.0.4",
"@walmart/payrollsolution_miniapp": "0.121.0",
"@walmart/price-changes-mini-app": "1.2.1",
- "@walmart/push-to-talk-mini-app": "1.7.5",
+ "@walmart/push-to-talk-mini-app": "1.7.6",
"@walmart/react-native-env": "^0.2.0",
"@walmart/react-native-logger": "^1.28.0",
"@walmart/react-native-shared-navigation": "^0.4.0",
| ptt package version update | ptt package version update
|
7ebf6af96365841f7d464f75d0bd6e8900c74cf1 | --- package.json
@@ -89,7 +89,7 @@
"@walmart/avp-feature-app": "0.16.8",
"@walmart/avp-shared-library": "0.10.7",
"@walmart/backroom-mini-app": "1.11.3",
- "@walmart/calling-mini-app": "0.7.35",
+ "@walmart/calling-mini-app": "0.7.52",
"@walmart/checkout-mini-app": "4.8.12",
"@walmart/compass-sdk-rn": "6.2.17",
"@walmart/config-components": "4.8.1",
@@ -137,7 +137,7 @@
"@walmart/react-native-shared-navigation": "~6.3.28",
"@walmart/react-native-store-map": "0.3.7",
"@walmart/react-native-sumo-sdk": "2.7.5",
- "@walmart/react-native-webex-sdk": "0.8.37",
+ "@walmart/react-native-webex-sdk": "0.8.40",
"@walmart/receipt-check-miniapp": "1.30.2",
"@walmart/redux-store": "~6.3.28",
"@walmart/returns-mini-app": "4.16.7",
@@ -283,7 +283,6 @@
"@commitlint/cli": "^19.8.0",
"@commitlint/config-conventional": "^19.8.0",
"@config-plugins/react-native-blob-util": "^7.0.0",
- "@config-plugins/react-native-callkeep": "^7.0.0",
"@config-plugins/react-native-pdf": "^7.0.0",
"@digitalroute/cz-conventional-changelog-for-jira": "^8.0.1",
"@redux-saga/testing-utils": "^1.1.5",
--- yarn.lock
@@ -2101,15 +2101,6 @@ __metadata:
languageName: node
linkType: hard
-"@config-plugins/react-native-callkeep@npm:^7.0.0":
- version: 7.0.0
- resolution: "@config-plugins/react-native-callkeep@npm:7.0.0::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40config-plugins%2Freact-native-callkeep%2F-%2Freact-native-callkeep-7.0.0.tgz"
- peerDependencies:
- expo: ^50
- checksum: 10c0/129db2051b6608cbd9927f6b49003542f2a83552f1f196606ffa9f52ded5ec861ac593abcd25ca3cb38b95b4a0c28c6756d12f5af5f3cfc51d0dd52204e29bae
- languageName: node
- linkType: hard
-
"@config-plugins/react-native-pdf@npm:^7.0.0":
version: 7.0.0
resolution: "@config-plugins/react-native-pdf@npm:7.0.0::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40config-plugins%2Freact-native-pdf%2F-%2Freact-native-pdf-7.0.0.tgz"
@@ -7487,9 +7478,9 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/calling-mini-app@npm:0.7.35":
- version: 0.7.35
- resolution: "@walmart/calling-mini-app@npm:0.7.35::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Fcalling-mini-app%2F-%2F%40walmart%2Fcalling-mini-app-0.7.35.tgz"
+"@walmart/calling-mini-app@npm:0.7.52":
+ version: 0.7.52
+ resolution: "@walmart/calling-mini-app@npm:0.7.52::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Fcalling-mini-app%2F-%2F%40walmart%2Fcalling-mini-app-0.7.52.tgz"
peerDependencies:
"@react-native-community/datetimepicker": ">=5"
"@react-navigation/native": ">=6"
@@ -7538,7 +7529,7 @@ __metadata:
dependenciesMeta:
"@walmart/wmconnect-mini-app":
built: false
- checksum: 10c0/ee7e6b74d0f0914ed040e318e6a89e814ff09a7a41dc055ec4a1527353ba330f63d8c965d82ab1264c9fef599a8dcdb5c9c570b37720278b64fc99acc8c78c0e
+ checksum: 10c0/a4da367e56a7d2a5582fbfaf39a96f8b82552772bd92c0afd12840ffbb761df387db80d1ca70460746d33133ac7e2fdad7ff991e76e08d0c151b36ca2752f3c2
languageName: node
linkType: hard
@@ -8213,7 +8204,6 @@ __metadata:
"@commitlint/cli": "npm:^19.8.0"
"@commitlint/config-conventional": "npm:^19.8.0"
"@config-plugins/react-native-blob-util": "npm:^7.0.0"
- "@config-plugins/react-native-callkeep": "npm:^7.0.0"
"@config-plugins/react-native-pdf": "npm:^7.0.0"
"@digitalroute/cz-conventional-changelog-for-jira": "npm:^8.0.1"
"@expo/metro-runtime": "npm:~3.2.3"
@@ -8273,7 +8263,7 @@ __metadata:
"@walmart/avp-feature-app": "npm:0.16.8"
"@walmart/avp-shared-library": "npm:0.10.7"
"@walmart/backroom-mini-app": "npm:1.11.3"
- "@walmart/calling-mini-app": "npm:0.7.35"
+ "@walmart/calling-mini-app": "npm:0.7.52"
"@walmart/checkout-mini-app": "npm:4.8.12"
"@walmart/compass-sdk-rn": "npm:6.2.17"
"@walmart/config-components": "npm:4.8.1"
@@ -8321,7 +8311,7 @@ __metadata:
"@walmart/react-native-shared-navigation": "npm:~6.3.28"
"@walmart/react-native-store-map": "npm:0.3.7"
"@walmart/react-native-sumo-sdk": "npm:2.7.5"
- "@walmart/react-native-webex-sdk": "npm:0.8.37"
+ "@walmart/react-native-webex-sdk": "npm:0.8.40"
"@walmart/receipt-check-miniapp": "npm:1.30.2"
"@walmart/redux-store": "npm:~6.3.28"
"@walmart/returns-mini-app": "npm:4.16.7"
@@ -8901,14 +8891,14 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/react-native-webex-sdk@npm:0.8.37":
- version: 0.8.37
- resolution: "@walmart/react-native-webex-sdk@npm:0.8.37::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Freact-native-webex-sdk%2F-%2F%40walmart%2Freact-native-webex-sdk-0.8.37.tgz"
+"@walmart/react-native-webex-sdk@npm:0.8.40":
+ version: 0.8.40
+ resolution: "@walmart/react-native-webex-sdk@npm:0.8.40::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Freact-native-webex-sdk%2F-%2F%40walmart%2Freact-native-webex-sdk-0.8.40.tgz"
peerDependencies:
react: "*"
react-native: "*"
react-native-logger: "*"
- checksum: 10c0/5bfb68eb1a1e21ca19c60229867ccf30e45aa2c9b2057ba083861f71436293cfa4a452fd4cc9d89073cb241ffa63d0b2f99e0222382f1b95358aee556431fa8a
+ checksum: 10c0/1423dfee1a4ad74b44aeae37f8498db6ad435d026ebe3888340b74a76876ab9030f2a9697c93c724fb58a93f12aca47a22f80ddf08a2628476b402f3f8e7bf5d
languageName: node
linkType: hard
| fix: CONAS-1851 Connected Calling Drop 30 changes (#4124) | fix: CONAS-1851 Connected Calling Drop 30 changes (#4124)
Co-authored-by: Aswin Das <Aswin.Das@walmart.com>
Co-authored-by: Savankumar Akbari - sakbari <sakbari@m-c02rv0v4g8wl.homeoffice.wal-mart.com> |
22843e1bf32a2d59d47981b99e9b618028a0f356 | --- src/legacy/sagas.ts
@@ -67,7 +67,7 @@ export function* onClockChangeWhileImpersonated(action: any) {
// Ensure the clock state has the derived clockedIn field
// (in case STATE_CHANGE came from Time Clock without it)
- if (clockData.clockedIn === undefined) {
+ if (clockData.clockedIn === undefined || clockData.clockedIn === null) {
yield put(
ClockActionCreators.FETCH_SUCCESS({
...clockData,
| fix(bug): handle null case | fix(bug): handle null case
|
2c74b64cc736227931079178d83679ab11c08882 | --- .github/pull_request_template.md
@@ -1,3 +1,6 @@
+## Note:
+PR/Template Process for Allspark-core: [Link](https://confluence.walmart.com/pages/viewpage.action?pageId=655900878#AllSparkIntegrateaFeatureAppwithCore-SubmitaPRtomergetodevelop)
+
## Links to JIRA tickets:
## Please describe the problem this PR is addressing:
@@ -37,4 +40,4 @@ If this PR is integrating a new mini-app ***or*** updating an existing one (via
To help with review, estimate the risk level of the changes in this PR?
- [ ] Low
- [ ] Medium
-- [ ] High
\ No newline at end of file
+- [ ] High
| Update pull_request_template.md | Update pull_request_template.md |
086f5598102dc81b077e4c4cdaeeccf40ac37b3e | --- package-lock.json
@@ -105,7 +105,7 @@
"@walmart/shelfavailability-mini-app": "1.5.23",
"@walmart/store-feature-orders": "1.26.5",
"@walmart/taskit-mini-app": "2.64.8",
- "@walmart/time-clock-mini-app": "2.338.1",
+ "@walmart/time-clock-mini-app": "2.353.0",
"@walmart/topstock-mini-app": "1.8.5",
"@walmart/ui-components": "1.15.11",
"@walmart/welcomeme-mini-app": "0.89.0",
@@ -12497,11 +12497,10 @@
}
},
"node_modules/@walmart/time-clock-mini-app": {
- "version": "2.338.1",
- "resolved": "https://npme.walmart.com/@walmart/time-clock-mini-app/-/time-clock-mini-app-2.338.1.tgz",
- "integrity": "sha512-Y5XuIu0GUuxs0BslYdtq15scBnba+iLCYfAfW10BdGapwLx5etxPPlKd4p18StD2k1Xj0tmbibvMG7eDPOC+3Q==",
+ "version": "2.353.0",
+ "resolved": "https://npme.walmart.com/@walmart/time-clock-mini-app/-/time-clock-mini-app-2.353.0.tgz",
+ "integrity": "sha512-5LuVdQDrrt8wLHcaz2UNYVtRdWmfk/Cb1XmlGM1quyJ3KNGXdd7XDix2P7WMYzlWR8crLuOP29+x0len3mwWnA==",
"hasInstallScript": true,
- "license": "UNLICENSED",
"dependencies": {
"@react-navigation/elements": "^1.3.1",
"moment-timezone": "0.5.33",
@@ -12525,12 +12524,12 @@
"lodash": "^4.17.20",
"react": "^18.2.0",
"react-i18next": "^12.0.0",
- "react-native": "^0.70.4",
+ "react-native": "^0.70.15",
"react-native-geolocation-service": "^5.3.1",
"react-native-gesture-handler": "^2.8.0",
"react-native-maps": "^1.3.1",
"react-native-modal": "^13.0.1",
- "react-native-sha256": "^1.4.8",
+ "react-native-sha256": "^1.4.10",
"react-native-sound-player": "^0.13.2",
"react-native-svg": "^13.4.0",
"react-native-svg-transformer": "^1.0.0",
--- package.json
@@ -146,7 +146,7 @@
"@walmart/shelfavailability-mini-app": "1.5.23",
"@walmart/store-feature-orders": "1.26.5",
"@walmart/taskit-mini-app": "2.64.8",
- "@walmart/time-clock-mini-app": "2.338.1",
+ "@walmart/time-clock-mini-app": "2.353.0",
"@walmart/topstock-mini-app": "1.8.5",
"@walmart/ui-components": "1.15.11",
"@walmart/welcomeme-mini-app": "0.89.0",
@@ -407,7 +407,7 @@
"@walmart/shelfavailability-mini-app": "1.5.23",
"@walmart/store-feature-orders": "1.26.5",
"@walmart/taskit-mini-app": "2.64.8",
- "@walmart/time-clock-mini-app": "2.338.1",
+ "@walmart/time-clock-mini-app": "2.353.0",
"@walmart/topstock-mini-app": "1.8.5",
"@walmart/ui-components": "1.15.11",
"@walmart/welcomeme-mini-app": "0.89.0",
| GTA-147107 Update TCMA version | GTA-147107 Update TCMA version
|
f61e98946741ab9273b8df0c487e95e4d4ad87eb | --- __tests__/screens/ViewMessageDetailsScreen/ViewMessageDetailsScreen.test.tsx
@@ -62,7 +62,7 @@ const defaultChannelData = {
};
const getParam = jest.fn((key, fallback) => {
- if (key === 'channelPath') return 'some/TEAM/path';
+ if (key === 'channelPath') return '/channels/TEAM/team-id';
if (key === 'createdAt') return '2024-01-01T00:00:00Z';
if (key === 'channelData') return defaultChannelData;
return fallback;
@@ -123,7 +123,7 @@ describe('ViewMessageDetailsScreen', () => {
it('filters participants for team messages', () => {
render(<ViewMessageDetailsScreen modal={{closeModal, getParam}} />);
- expect(mockUseGetTeamById).toHaveBeenCalledWith('path');
+ expect(mockUseGetTeamById).toHaveBeenCalledWith('team-id');
});
it('renders no associates if participants list is empty', () => {
@@ -137,7 +137,7 @@ describe('ViewMessageDetailsScreen', () => {
it('renders with empty recentRead', () => {
getParam.mockImplementation((key, fallback) => {
- if (key === 'channelPath') return 'some/TEAM/path';
+ if (key === 'channelPath') return '/channels/TEAM/team-id';
if (key === 'createdAt') return '2024-01-01T00:00:00Z';
if (key === 'channelData') return {
...defaultChannelData,
--- src/modals/ViewMessageDetailsScreen.tsx
@@ -141,7 +141,7 @@ export const ViewMessageDetailsScreen = ({
const {data: rosterData, isPartialError, refetch, error: rosterError} = useDailyRoster();
const isTeamMessage = channelPath?.includes(channelTypes.TEAM);
// Extract team ID from channel path for team messages
- const channelTeamId = isTeamMessage ? channelPath.split('/').pop() || '' : '';
+ const channelTeamId = isTeamMessage ? channelPath?.split('/').pop() || '' : '';
const primaryTeamData = useGetTeamById(channelTeamId);
const isPrimaryTeamPartialError = !!(
primaryTeamData?.data && primaryTeamData.error
| fix: Extract team ID from channelPath to skip Total Store API call | fix: Extract team ID from channelPath to skip Total Store API call
- Extract team ID from channelPath instead of using viewer's
primary team ID in MessagesScreen and ViewMessageDetailsScreen
- When viewing Total Store channel, extracted team ID will be
'total' or '9999999'
- Existing skip logic in useGetTeamById will properly skip API
call for Total Store team IDs
- Prevents unnecessary getTeamById API calls with Management
team ID (1111111) when user selects Total Store
- Update tests to use proper channel path format
|
c1f5bba2df025d1ed67f76e15944589265f8b195 | --- package-lock.json
@@ -3367,9 +3367,9 @@
"integrity": "sha512-Am5QrgtwxJ23j3GsZZivaZknjiWTuPFvFxV1J0ysrQZ3H4wZcgsxuFdsCJqA3Hzufo3pZdyMTZhNtAx4IuQjjw=="
},
"@walmart/inbox-mini-app": {
- "version": "0.0.101",
- "resolved": "https://npme.walmart.com/@walmart/inbox-mini-app/-/inbox-mini-app-0.0.101.tgz",
- "integrity": "sha512-vI/gW47x/JzLbLNGVKZiuMuMd6xEPoWD8dv/wDUM6vpNC9LlIVE1W4Hz0kSKW4GYcUsZDRSKPmbgW7H/GnreXA=="
+ "version": "0.0.102",
+ "resolved": "https://npme.walmart.com/@walmart/inbox-mini-app/-/inbox-mini-app-0.0.102.tgz",
+ "integrity": "sha512-6VxVyc6q6xpD0D9PigdX94G4BQ9YXvPHeMIVKELqv/583bznJi4ExEIoR/G6Arz9YA2/erp8O9sbO3qpzly95w=="
},
"@walmart/iteminfo-mini-app": {
"version": "1.0.22",
--- package.json
@@ -75,7 +75,7 @@
"@walmart/gtp-shared-components": "^1.1.8",
"@walmart/impersonation-mini-app": "1.0.15",
"@walmart/ims-print-services-ui": "0.0.19",
- "@walmart/inbox-mini-app": "0.0.101",
+ "@walmart/inbox-mini-app": "0.0.102",
"@walmart/iteminfo-mini-app": "1.0.22",
"@walmart/manager-approvals-miniapp": "0.0.40",
"@walmart/metrics-mini-app": "0.4.6",
| inbox mini app Sumo2.0 changes | inbox mini app Sumo2.0 changes
|
ee0bb9339f5011df7583f5265fd7ebdd4cf79a09 | --- core/__tests__/sideKey/IndexTest.ts
@@ -0,0 +1,13 @@
+import SideKeyFeature from '../../src/sideKey';
+
+describe('SideKeyFeature', () => {
+ it('should correctly return screens', () => {
+ expect(SideKeyFeature.name).toBe('Side Key')
+ const StartUP = SideKeyFeature._screens['Core.SideButtonStartup'].getComponent();
+ expect(StartUP).toBeInstanceOf(Function);
+ const Setting = SideKeyFeature._screens['Core.SideButtonStartupSettings'].getComponent();
+ expect(Setting).toBeInstanceOf(Function);
+ const SidButton = SideKeyFeature._screens['Settings.SideButton'].getComponent();
+ expect(SidButton).toBeInstanceOf(Function);
+ });
+});
\ No newline at end of file
--- core/__tests__/sideKey/SideButtonSagasTest.ts
@@ -1,12 +1,16 @@
import {Platform} from 'react-native';
-import {call, take, select} from 'redux-saga/effects';
+import {call, take, select, takeLatest} from 'redux-saga/effects';
import DeviceInfo from 'react-native-device-info';
import {AllsparkNavigationClient} from '@walmart/allspark-foundation/Navigation';
-
+import KeyEvent from '@walmart/allspark-cope-key-listener';
+import {createRestartableSagas} from '@walmart/allspark-utils';
+import {ConfigActionTypes} from '@walmart/allspark-foundation/Config';
import {
getSettingsAppConfig,
handleSideButtonSetting,
processKeyEvent,
+ onConfigSuccess,
+ sideKeySagas,
} from '../../src/sideKey/SideButtonSagas';
import {
COPE_DEVICE_SIDE_KEY_CODE,
@@ -115,17 +119,24 @@ describe('processKeyEvent', () => {
});
});
-// describe('onConfigSuccess', () => {
-// it('handles side key enabled', () => {
-// expect(true).toBe(false);
-// });
-// it('handles side key disabled', () => {
-// expect(true).toBe(false);
-// });
-// });
-
-// describe('sideKeySagas', () => {
-// it('runs expected sagas', () => {
-// expect(true).toBe(false);
-// });
-// });
+describe('onConfigSuccess', () => {
+ it('test onConfigSuccess with processKeyEvent to be listen on KeyEvent', () => {
+ const generator = onConfigSuccess();
+ expect(generator.next().value).toEqual(
+ select(getSettingsAppConfig),
+ );
+ expect(generator.next().value).toEqual(undefined);
+ expect(KeyEvent.onKeyDownListener).toBeCalledWith(processKeyEvent)
+ expect(generator.next().done).toBeTruthy();
+ });
+});
+
+describe('sideKeySagas', () => {
+ it('should call onConfigSuccess when FETCH_SUCCESS action is dispatched', () => {
+ const generator = sideKeySagas();
+ expect(generator.next().value).toEqual(
+ createRestartableSagas(takeLatest(ConfigActionTypes.FETCH_SUCCESS, onConfigSuccess)),
+ );
+ expect(generator.next().done).toBeTruthy();
+ });
+});
| sidekey test cases | sidekey test cases
|
2bae76f538d5848d95d73518046bbac225e61c47 | --- example/src/teamHub/screens/onboarding.tsx
@@ -4,22 +4,7 @@ import {useEffect} from 'react';
import {TeamHub} from '../feature';
import {TeamHubLogger, TeamHubTelemetry} from '../services';
import {TeamOnboardingScreen} from '@walmart/allspark-foundation/Components';
-import {Icons} from '@walmart/gtp-shared-components/dist';
-
-const teamOnboardingCards = [
- {
- icon: <Icons.AssociateIcon size="medium" color="#0071DC" />,
- title: 'Centralized information',
- description:
- 'Easily manage team attendance, assignments, and work progress',
- },
- {
- icon: <Icons.AssociateIcon size="medium" color="#0071DC" />,
- title: 'Insights and recommended actions',
- description:
- 'Get smart guidance to help you keep your team and the shift on track',
- },
-];
+import {teamOnboardingCardsMockData} from '@walmart/allspark-foundation/Components/TeamOnboarding/util';
export const OnboardingEntryScreen = TeamHub.createScreen(
() => {
@@ -41,7 +26,7 @@ export const OnboardingEntryScreen = TeamHub.createScreen(
<TeamOnboardingScreen
heading="A new way to manage your Team and Work"
description="Get started by selecting your teams"
- teamOnboardingCardsInfo={teamOnboardingCards}
+ teamOnboardingCardsInfo={teamOnboardingCardsMockData}
buttonText="Choose teams"
handlePressButton={handleNavigation}
/>
--- packages/allspark-foundation/__tests__/Hub/TeamOnboardingCard.test.tsx
@@ -1,20 +1,9 @@
import React from 'react';
import { render } from '../utils';
import { TeamOnboardingCard } from '../../src/Components/TeamOnboarding/Component/TeamOnboardingCard';
-import { Icons } from '@walmart/gtp-shared-components/dist';
+import { teamOnboardingCardsMockData } from '../../src/Components/TeamOnboarding/util';
-const props = {
- icon: (
- <Icons.AssociateIcon
- size='medium'
- color='#0071DC'
- testID='onboarding-card-icon'
- />
- ),
- title: 'Insights and recommended actions',
- description:
- 'Get smart guidance to help you keep your team and the shift on track',
-};
+const props = teamOnboardingCardsMockData[0];
describe('TeamOnboardingCard', () => {
it('renders card correctly with given props', () => {
--- packages/allspark-foundation/__tests__/Hub/TeamOnboardingCards.test.tsx
@@ -1,35 +1,10 @@
import React from 'react';
import { render } from '../utils';
import { TeamOnboardingCards } from '../../src/Components/TeamOnboarding/Component/TeamOnboardingCards';
-import { Icons } from '@walmart/gtp-shared-components/dist';
+import { teamOnboardingCardsMockData } from '../../src/Components/TeamOnboarding/util';
const props = {
- cards: [
- {
- icon: (
- <Icons.AssociateIcon
- size='medium'
- color='#0071DC'
- testID='onboarding-card-icon'
- />
- ),
- title: 'Centralized information',
- description:
- 'Easily manage team attendance, assignments, and work progress',
- },
- {
- icon: (
- <Icons.AssociateIcon
- size='medium'
- color='#0071DC'
- testID='onboarding-card-icon'
- />
- ),
- title: 'Insights and recommended actions',
- description:
- 'Get smart guidance to help you keep your team and the shift on track',
- },
- ],
+ cards: { ...teamOnboardingCardsMockData },
};
describe('TeamOnboardingCards', () => {
--- packages/allspark-foundation/src/Components/TeamOnboarding/util.tsx
@@ -0,0 +1,16 @@
+import { Icons } from '@walmart/gtp-shared-components/dist';
+
+export const teamOnboardingCardsMockData = [
+ {
+ icon: <Icons.AssociateIcon size='medium' color='#0071DC' />,
+ title: 'Centralized information',
+ description:
+ 'Easily manage team attendance, assignments, and work progress',
+ },
+ {
+ icon: <Icons.AssociateIcon size='medium' color='#0071DC' />,
+ title: 'Insights and recommended actions',
+ description:
+ 'Get smart guidance to help you keep your team and the shift on track',
+ },
+];
| feat: moved onboard cards to mock data util | feat: moved onboard cards to mock data util
|
864f8c0b88cc965668ea3b95fa173ce237620e37 | --- .looper-native-common.yml
@@ -63,7 +63,7 @@ flows:
%{os == "ios"}
then:
- call: build-ios
- - var(buildOutput = "./ios/build/enterprise/Artifacts/enterprise-AllSpark-Core.ipa")
+ - var(buildOutput = "./ios/build/enterprise/Artifacts/enterprise-AllSpark.ipa")
else:
- call: build-android
- var(buildOutput = "./android/app/build/outputs/apk/release/app-release-signed.apk")
| updated looper common file | updated looper common file
|
29f8bc91e612dfeecaa879ddd2aa020c2de866bf | --- src/screens/MessagesScreen.tsx
@@ -212,7 +212,7 @@ export const MessagesScreen = () => {
if (!isNil(siteId)) {
const getMessageTextForPush = () => {
if (message.image?.uri) {
- return message.message || '';
+ return '[Photo]';
}
if (message.audio?.uri) {
//TODO: Translate this text
--- src/screens/MessagesScreen.tsx
@@ -212,7 +212,7 @@ export const MessagesScreen = () => {
if (!isNil(siteId)) {
const getMessageTextForPush = () => {
if (message.image?.uri) {
- return message.message || '';
+ return '[Photo]';
}
if (message.audio?.uri) {
//TODO: Translate this text
| customize based on message type | customize based on message type
|
33966043096d0ec69cd0a8eaabb85c98cc042f18 | --- __tests__/auth/ErrorScreenTest.tsx
@@ -14,6 +14,7 @@ import {ErrorScreen} from '../../src/auth/ErrorScreen';
import {logger} from '../../src/services/Logger';
import {defaultConfig} from '../../src/auth/constants';
import {useTranslation} from 'react-i18next';
+import WmConfig from 'react-native-wm-config';
jest.mock('react', () => ({
...(jest.requireActual('react') as any),
@@ -30,6 +31,10 @@ jest.mock('../../src/services/MaskUserId', () => ({
encryptUserId: jest.fn((user, site) => `Encrypted-${user}-${site}`),
}));
+(WmConfig.getValue as jest.Mock).mockReturnValueOnce(
+ JSON.stringify(defaultConfig),
+);
+
const mockUseState = useState as jest.Mock;
const mockNavigation = {
goBack: jest.fn(),
@@ -73,7 +78,7 @@ describe('ErrorScreen', () => {
it('renders default', () => {
expect(component.toJSON()).toMatchSnapshot();
- // expect(wmConfig.getValue).toHaveBeenCalledWith(
+ // expect(WmConfig.getValue).toHaveBeenCalledWith(
// 'core',
// 'ssoFeedbackOptions',
// );
@@ -156,6 +161,9 @@ describe('ErrorScreen', () => {
},
{language: 'en-US'},
]);
+ (WmConfig.getValue as jest.Mock).mockReturnValueOnce(
+ JSON.stringify(defaultConfig),
+ );
mockUseState.mockReturnValueOnce(['swalton3', setUserId]);
mockUseState.mockReturnValueOnce(['1234', setSiteId]);
mockUseState.mockReturnValueOnce(['', setDetail]);
| try mocking WmConfig | try mocking WmConfig
|
9acd8078b74cbdf55ec757ee8cc171279228a067 | --- package-lock.json
@@ -4263,7 +4263,7 @@
"@walmart/gtp-shared-components": {
"version": "1.2.0",
"resolved": "https://npme.walmart.com/@walmart/gtp-shared-components/-/gtp-shared-components-1.2.0.tgz",
- "integrity": "sha1-uZ6zL5R12W20AFyA5eFskWpu0Iw=",
+ "integrity": "sha512-OxDrYdXQeR22V+aTBNqQHRJFyIOlOkp2erG4KS+0lEWWve1EApNHNyPgIbFQbydtWn1rybwFossRsVszkr2XKQ==",
"requires": {
"@react-native-community/datetimepicker": "^3.0.8",
"@react-native-community/picker": "^1.6.5",
@@ -4272,9 +4272,9 @@
}
},
"@walmart/impersonation-mini-app": {
- "version": "1.0.27",
- "resolved": "https://npme.walmart.com/@walmart/impersonation-mini-app/-/impersonation-mini-app-1.0.27.tgz",
- "integrity": "sha512-0M7ySb3F2lKlIfwBosm+Slx3kJvdoEHm5haaZ05WKCJ1hctu0F0CzTGDSbZciXWX92HJBmxvsvr8yi2H435R8g=="
+ "version": "1.0.28-beta.6",
+ "resolved": "https://npme.walmart.com/@walmart/impersonation-mini-app/-/impersonation-mini-app-1.0.28-beta.6.tgz",
+ "integrity": "sha512-EHWAiqzYNdkocynckOhOQzugcQ1EP8u5jFT61ZUwetG0iaKD60Q7bSq048kGRiidQDncBf3EDokO43GvgWnbDQ=="
},
"@walmart/ims-print-services-ui": {
"version": "0.1.25",
--- package.json
@@ -82,7 +82,7 @@
"@walmart/functional-components": "1.0.34",
"@walmart/gta-react-native-calendars": "0.0.15",
"@walmart/gtp-shared-components": "1.2.0",
- "@walmart/impersonation-mini-app": "1.0.27",
+ "@walmart/impersonation-mini-app": "1.0.28-beta.6",
"@walmart/ims-print-services-ui": "0.1.25",
"@walmart/inbox-mini-app": "0.37.0",
"@walmart/iteminfo-mini-app": "4.1.5",
| impersonate Enhancement | impersonate Enhancement
|
ffffce1e91ca3cd718c482664ad38e0fa395c480 | --- README.md
@@ -7,7 +7,8 @@ This is the core container app for the AllSpark Project (Me@Walmart redesign) -
### Prerequisites
- Node v20+
-- Yarn v4+
+- java v17+
+- Yarn v4+ via corepack [(Yarn migration guide)](https://confluence.walmart.com/display/ALLSPARK/Migration+Guide+-+Yarn)
- Xcode
- Android Studio
- Cocoapods
@@ -17,8 +18,11 @@ This is the core container app for the AllSpark Project (Me@Walmart redesign) -
- `git clone` this repo
- cd to the created folder
- `yarn`
+- `yarn build`
+- `cd targets/<your target folder>` (For ex: targets/US)
- `cd ios`
- `pod install`
+- `cd ..`
## Run scripts
@@ -26,6 +30,7 @@ To run for a specific environment/build, use the npm scripts
### iOS (RN debug builds)
+- You should already be inside the particular target folder.
- `yarn run ios:dev` (dev / lower env)
- `yarn run ios:teflon` (teflon / automated test env)
- `yarn run ios:beta` (beta prod)
@@ -33,6 +38,7 @@ To run for a specific environment/build, use the npm scripts
### Android (RN debug builds)
+- You should already be inside the particular target folder.
- `yarn run android:dev` (dev / lower env)
- `yarn run android:teflon` (teflon / automated test env)
- `yarn run android:beta` (beta prod)
@@ -52,3 +58,17 @@ For faster consecutive builds, ensure that you have successfully run the Android
- Navigate to `android/settings.gradle` file.
- Locate the line where the `gradle.startParameter.offline` flag is set.
- Change the value from `false` to `gradle.startParameter.offline=true`.
+
+
+## Resolving build issues
+
+### Android
+- Make sure that you're on the correct versions for Java, Node, etc. (See Prerequisites)
+- Make sure that you've enabled yarn via codepack instead of an independent installation [Yarn migration guide](https://confluence.walmart.com/display/ALLSPARK/Migration+Guide+-+Yarn)
+- Make sure you've built the project from the root folder.
+- Remove targets/< target >/android/build directory and rebuild. (You cannot use `gradle.startParameter.offline=true` when you've removed the build folder.)
+
+### iOS
+- Make sure you're on the correct versions (See Prerequisites)
+- Make sure you've built the project from the root folder.
+- Make sure you've run the `certifyBootedSim.sh` script.
| Updating readme for drop24 | Updating readme for drop24
|
f0868c80a9d6827e039d2a94aa67bb1e3b6cefef | --- src/screens/ChannelsScreen.tsx
@@ -1,6 +1,6 @@
import React, {useMemo} from 'react';
import {StyleSheet, View} from 'react-native';
-import {SafeAreaView} from 'react-native-safe-area-context';
+import {SafeAreaView, useSafeAreaInsets} from 'react-native-safe-area-context';
import {StackNavigationProp} from '@react-navigation/stack';
import {useFocusEffect} from '@react-navigation/native';
import {Button, ChatBubbleIcon, Spinner} from '@walmart/gtp-shared-components';
@@ -68,6 +68,7 @@ const renderChannel: ListRenderItem<string> = ({
export const ChannelsScreen: React.FC<ChannelScreenProps> = (
props: ChannelScreenProps,
) => {
+ const {bottom: bottomInset, top: topInset} = useSafeAreaInsets();
const {navigation, newMessageButtonOffset, isMeganavScreen} = props;
const channels = useChannelContext();
const {t} = useTranslation([TEXTING_I18N_NAMESPACE]);
@@ -139,6 +140,8 @@ export const ChannelsScreen: React.FC<ChannelScreenProps> = (
(channels?.isError || !isConnected) && <ErrorComponent />
}
extraData={extraData}
+ estimatedItemSize={100}
+ contentInset={{bottom: bottomInset, top: topInset}}
/>
) : (
<TextingDisabledScreen
--- src/screens/ChannelsScreen.tsx
@@ -1,6 +1,6 @@
import React, {useMemo} from 'react';
import {StyleSheet, View} from 'react-native';
-import {SafeAreaView} from 'react-native-safe-area-context';
+import {SafeAreaView, useSafeAreaInsets} from 'react-native-safe-area-context';
import {StackNavigationProp} from '@react-navigation/stack';
import {useFocusEffect} from '@react-navigation/native';
import {Button, ChatBubbleIcon, Spinner} from '@walmart/gtp-shared-components';
@@ -68,6 +68,7 @@ const renderChannel: ListRenderItem<string> = ({
export const ChannelsScreen: React.FC<ChannelScreenProps> = (
props: ChannelScreenProps,
) => {
+ const {bottom: bottomInset, top: topInset} = useSafeAreaInsets();
const {navigation, newMessageButtonOffset, isMeganavScreen} = props;
const channels = useChannelContext();
const {t} = useTranslation([TEXTING_I18N_NAMESPACE]);
@@ -139,6 +140,8 @@ export const ChannelsScreen: React.FC<ChannelScreenProps> = (
(channels?.isError || !isConnected) && <ErrorComponent />
}
extraData={extraData}
+ estimatedItemSize={100}
+ contentInset={{bottom: bottomInset, top: topInset}}
/>
) : (
<TextingDisabledScreen
| add estimatedItemSize for flashlist | add estimatedItemSize for flashlist
|
4f3b01bedaa9f58e4ab17f7e5a44990a053bd1ff | --- package-lock.json
@@ -56,7 +56,7 @@
"@walmart/financial-wellbeing-feature-app": "1.13.7",
"@walmart/functional-components": "~4.0.3",
"@walmart/gta-react-native-calendars": "0.1.0",
- "@walmart/gtp-shared-components": "2.0.10",
+ "@walmart/gtp-shared-components": "2.1.3",
"@walmart/impersonation-mini-app": "1.20.6",
"@walmart/ims-print-services-ui": "2.5.8",
"@walmart/inbox-mini-app": "0.88.9",
@@ -8899,9 +8899,9 @@
}
},
"node_modules/@walmart/gtp-shared-components": {
- "version": "2.0.10",
- "resolved": "https://npme.walmart.com/@walmart/gtp-shared-components/-/gtp-shared-components-2.0.10.tgz",
- "integrity": "sha512-iplDkI4kABfYlajiSVPTqSaPFV7Q/WhxscDW4iJjPEHxu6lSRY+mhN20Bjv4jrojmQUPJ+697+P3Z7KR/tnKPQ==",
+ "version": "2.1.3",
+ "resolved": "https://npme.walmart.com/@walmart/gtp-shared-components/-/gtp-shared-components-2.1.3.tgz",
+ "integrity": "sha512-/wB0vaVPXi8WWkpg8dx8avEuPURd2ynZblQ7VrJFx4UlkH46SMEgasCMBZRoWs/UWpjVE4mjuQ9Sz9p/oF87UA==",
"license": "Apache-2.0",
"dependencies": {
"@livingdesign/tokens": "0.63.0",
@@ -8920,7 +8920,8 @@
"@react-native-picker/picker": "*",
"react": "*",
"react-native": "*",
- "react-native-device-info": "*"
+ "react-native-device-info": "*",
+ "react-native-drop-shadow": "*"
}
},
"node_modules/@walmart/gtp-shared-icons": {
@@ -33282,9 +33283,9 @@
}
},
"@walmart/gtp-shared-components": {
- "version": "2.0.10",
- "resolved": "https://npme.walmart.com/@walmart/gtp-shared-components/-/gtp-shared-components-2.0.10.tgz",
- "integrity": "sha512-iplDkI4kABfYlajiSVPTqSaPFV7Q/WhxscDW4iJjPEHxu6lSRY+mhN20Bjv4jrojmQUPJ+697+P3Z7KR/tnKPQ==",
+ "version": "2.1.3",
+ "resolved": "https://npme.walmart.com/@walmart/gtp-shared-components/-/gtp-shared-components-2.1.3.tgz",
+ "integrity": "sha512-/wB0vaVPXi8WWkpg8dx8avEuPURd2ynZblQ7VrJFx4UlkH46SMEgasCMBZRoWs/UWpjVE4mjuQ9Sz9p/oF87UA==",
"requires": {
"@livingdesign/tokens": "0.63.0",
"@walmart/gtp-shared-icons": "1.0.7",
--- package.json
@@ -97,7 +97,7 @@
"@walmart/financial-wellbeing-feature-app": "1.13.7",
"@walmart/functional-components": "~4.0.3",
"@walmart/gta-react-native-calendars": "0.1.0",
- "@walmart/gtp-shared-components": "2.0.10",
+ "@walmart/gtp-shared-components": "2.1.3",
"@walmart/impersonation-mini-app": "1.20.6",
"@walmart/ims-print-services-ui": "2.5.8",
"@walmart/inbox-mini-app": "0.88.9",
| gtp bump | gtp bump
|
b5534a07024ff72b619b161bd8cbae82da58431e | --- package-lock.json
@@ -66,7 +66,7 @@
"@walmart/metrics-mini-app": "0.15.14",
"@walmart/mod-flex-mini-app": "1.11.6",
"@walmart/moment-walmart": "1.0.4",
- "@walmart/money-auth-shared-components": "0.0.6",
+ "@walmart/money-auth-shared-components": "0.0.7",
"@walmart/onewalmart-miniapp": "1.0.16",
"@walmart/pay-stub-miniapp": "0.10.15",
"@walmart/payrollsolution_miniapp": "0.131.15",
@@ -8820,9 +8820,9 @@
}
},
"node_modules/@walmart/money-auth-shared-components": {
- "version": "0.0.6",
- "resolved": "https://npme.walmart.com/@walmart/money-auth-shared-components/-/money-auth-shared-components-0.0.6.tgz",
- "integrity": "sha512-B6iG71kgi1BDl5BvsoulhV/k0KicHBQ1psjFG9dt/Ta0yp5obdsENeoKIL5/FhJYkN70hZgtbaX4krH2ezzd+g==",
+ "version": "0.0.7",
+ "resolved": "https://npme.walmart.com/@walmart/money-auth-shared-components/-/money-auth-shared-components-0.0.7.tgz",
+ "integrity": "sha512-50MBleH31Gyok/0r6mLd1SO7hYDiMRNnT3u2ZkwxJKVTwqD6IGN3I9Z0h7xeUoVJp2E1tPD/s1mnLlquQ2tyew==",
"hasInstallScript": true,
"dependencies": {
"crypto-js": "^3.3.0",
@@ -34458,9 +34458,9 @@
"version": "1.0.4"
},
"@walmart/money-auth-shared-components": {
- "version": "0.0.6",
- "resolved": "https://npme.walmart.com/@walmart/money-auth-shared-components/-/money-auth-shared-components-0.0.6.tgz",
- "integrity": "sha512-B6iG71kgi1BDl5BvsoulhV/k0KicHBQ1psjFG9dt/Ta0yp5obdsENeoKIL5/FhJYkN70hZgtbaX4krH2ezzd+g==",
+ "version": "0.0.7",
+ "resolved": "https://npme.walmart.com/@walmart/money-auth-shared-components/-/money-auth-shared-components-0.0.7.tgz",
+ "integrity": "sha512-50MBleH31Gyok/0r6mLd1SO7hYDiMRNnT3u2ZkwxJKVTwqD6IGN3I9Z0h7xeUoVJp2E1tPD/s1mnLlquQ2tyew==",
"requires": {
"crypto-js": "^3.3.0",
"react-native-drop-shadow": "^0.0.6"
--- package.json
@@ -107,7 +107,7 @@
"@walmart/metrics-mini-app": "0.15.14",
"@walmart/mod-flex-mini-app": "1.11.6",
"@walmart/moment-walmart": "1.0.4",
- "@walmart/money-auth-shared-components": "0.0.6",
+ "@walmart/money-auth-shared-components": "0.0.7",
"@walmart/onewalmart-miniapp": "1.0.16",
"@walmart/pay-stub-miniapp": "0.10.15",
"@walmart/payrollsolution_miniapp": "0.131.15",
| bump version | bump version
|
67c159d4eda4d8f787745c69cd26686df7b4d7e8 | --- package.json
@@ -63,7 +63,7 @@
"@redux-saga/testing-utils": "^1.1.3",
"@sharcoux/slider": "^5.2.1",
"@terrylinla/react-native-sketch-canvas": "^0.8.0",
- "@walmart/ItemInfo": "0.1.136",
+ "@walmart/ItemInfo": "0.1.137",
"@walmart/allspark-health-survey-mini-app": "0.0.38",
"@walmart/allspark-home-mini-app": "0.4.0",
"@walmart/allspark-me-mini-app": "0.1.0",
| iteminfo 137 | iteminfo 137
|
f7a93d7b585a0d2557389914337d581197b815cb | --- packages/allspark-foundation/src/Feature/AllsparkFeatureManager.ts
@@ -204,8 +204,9 @@ export class FeatureModuleManager {
/**
* Builds screens for the features with the given tag.
* @param tag - The tag of the features to build screens for.
- * @param Navigator - The navigator to use.
- * @param routeConfig - The route configuration.
+ * @param config - the build screen configuration.
+ * @param config.Navigator - The navigator to use.
+ * @param config.routeConfig - The route configuration.
* @returns An array of built screens.
*/
public buildScreensByTag(tag: string, config: BuildScreenConfig) {
@@ -213,10 +214,26 @@ export class FeatureModuleManager {
return this._buildScreens(features, config);
}
+ /**
+ * Builds screens with the given tag from all features registered to the feature manager.
+ * @param tag - The screen tag of the screens to build.
+ * @param config - the build screen configuration.
+ * @param config.Navigator - The navigator to use.
+ * @param config.routeConfig - The route configuration.
+ */
+ public buildScreensByScreenTag(tag: string, config: BuildScreenConfig) {
+ return this.getAllFeatures()
+ .map((feature) => {
+ return feature.buildScreensByTag(tag, config);
+ })
+ .flat(1);
+ }
+
/**
* Build all screens registered to the feature manager.
- * @param Navigator - The navigator to use.
- * @param routeConfig - The route configuration.
+ * @param config - the build screen configuration.
+ * @param config.Navigator - The navigator to use.
+ * @param config.routeConfig - The route configuration.
* @returns An array of built screens.
* @example
* const screens = AllsparkFeatureManager.buildScreens(StackNavigator);
--- packages/allspark-foundation/src/Feature/AllsparkFeatureModule.tsx
@@ -203,10 +203,12 @@ export class AllsparkFeatureModule<
}
/**
- * Build screens by ids with given Navigator.
+ * Build screens with ids and given build configuration.
* @param screens - The IDs of the screens.
- * @param Navigator - The navigator to use.
- * @param routeConfig - The route configuration.
+ * @param build - The build configuration.
+ * @param build.Navigator - The navigator to use.
+ * @param build.routeConfig - The route configuration.
+ * @param build.decorator - HOC to wrap the built screen.
* @returns An array of built screens.
* @example
* const screens = featureModule.buildScreens(['HomeScreen', 'ProfileScreen'], StackNavigator);
@@ -218,9 +220,43 @@ export class AllsparkFeatureModule<
}
/**
- * Build all screens with given Navigator.
- * @param Navigator - The navigator to use.
- * @param routeConfig - The route configuration.
+ * Builds screens with tag and given build configuration.
+ * @param tag - The tag of the screens.
+ * @param build - The build configuration.
+ * @param build.Navigator - The navigator to use.
+ * @param build.routeConfig - The route configuration.
+ * @param build.decorator - HOC to wrap the built screen.
+ * @returns An array of built screens.
+ */
+ public buildScreensByTag<
+ K extends InferRecordKey<InferCapabilityType<Module['screens']>>
+ >(tag: string, build: BuildScreenConfig) {
+ const screens =
+ this._resourceMap.screens || this._resolveCapability(this._screens);
+
+ if (screens) {
+ return Object.keys(screens)
+ .filter((screenId) => {
+ const config = screens[screenId as K];
+ return config.tags?.includes(tag);
+ })
+ .map((screenId) => {
+ return this.buildScreen(
+ screenId as InferRecordKey<InferCapabilityType<Module['screens']>>,
+ build
+ );
+ });
+ }
+
+ return [];
+ }
+
+ /**
+ * Build all screens with given build configuration.
+ * @param build - The build configuration.
+ * @param build.Navigator - The navigator to use.
+ * @param build.routeConfig - The route configuration.
+ * @param build.decorator - HOC to wrap the built screen.
* @returns An array of built screens.
* @example
* const screens = featureModule.buildAllScreens(StackNavigator);
--- packages/allspark-foundation/src/Feature/types.ts
@@ -75,7 +75,7 @@ export type AllsparkModuleConfig = {
* @description List of tags that describe the feature.
* Can be used by the container for rendering a subset of features, searching, etc.
*/
- tags: string[];
+ tags?: string[];
/**
* @description Connection to container and feature events.
--- packages/allspark-foundation/src/Navigation/types.ts
@@ -56,7 +56,7 @@ export type StackNavigator = TypedNavigator<
React.ComponentType<any>
>;
-export type AnyNavigator = TypedNavigator<any, any, any, {}, any>;
+export type AnyNavigator = TypedNavigator<any, any, any, any, any>;
export type AllsparkNavigationConfig = {
theme?: Theme;
@@ -141,5 +141,6 @@ export type AllsparkScreenConfig<
clockCheckRequired?: boolean;
linking?: PathConfigMap<ParamList>[RouteName];
stack?: boolean;
+ tags?: string[];
getComponent: () => AllsparkScreenComponent<ParamList, RouteName>;
};
| feat: add screen tags. add option on feature module and manager to build screens by tag | feat: add screen tags. add option on feature module and manager to build screens by tag
|
ac8db7dcf181fd0a2a5a6f1587f7b25e7419e74a | --- targets/US/package.json
@@ -152,7 +152,7 @@
"@walmart/shop-gnfr-mini-app": "1.0.137",
"@walmart/sidekick-mini-app": "4.168.19",
"@walmart/store-feature-orders": "1.27.9",
- "@walmart/taskit-mini-app": "5.25.3",
+ "@walmart/taskit-mini-app": "5.25.2",
"@walmart/time-clock-mini-app": "2.448.1",
"@walmart/topstock-mini-app": "1.20.4",
"@walmart/translator-mini-app": "1.4.2",
--- yarn.lock
@@ -7389,7 +7389,7 @@ __metadata:
"@walmart/shop-gnfr-mini-app": "npm:1.0.137"
"@walmart/sidekick-mini-app": "npm:4.168.19"
"@walmart/store-feature-orders": "npm:1.27.9"
- "@walmart/taskit-mini-app": "npm:5.25.3"
+ "@walmart/taskit-mini-app": "npm:5.25.2"
"@walmart/time-clock-mini-app": "npm:2.448.1"
"@walmart/topstock-mini-app": "npm:1.20.4"
"@walmart/translator-mini-app": "npm:1.4.2"
@@ -8340,12 +8340,12 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/taskit-mini-app@npm:5.25.3":
- version: 5.25.3
- resolution: "@walmart/taskit-mini-app@npm:5.25.3"
+"@walmart/taskit-mini-app@npm:5.25.2":
+ version: 5.25.2
+ resolution: "@walmart/taskit-mini-app@npm:5.25.2"
peerDependencies:
"@walmart/allspark-foundation": "*"
- checksum: 10c0/54580b2894329292e8ca8cb415caa77f8492b499ad4bb4765915930bd60d7f00f46c7612c28daf1153d69a6b80f2d9d6369e79d1cb3e865db478449d1985f426
+ checksum: 10c0/92bf0f9ef555a955242071df79671a507e46818473303588bece7489b9b6caf3c3722f4ba94f0ef856e7ffd588090d21cb7169da3543f9cca3ee7cf2f88ae975
languageName: node
linkType: hard
| chore: bump taskit-mini-app@5.26.2 | chore: bump taskit-mini-app@5.26.2
|
11091a84d5d3c18e8927c27fca9da3a5bdd95ff9 | --- package-lock.json
@@ -81,7 +81,7 @@
"@walmart/shelfavailability-mini-app": "1.5.13",
"@walmart/taskit-mini-app": "2.24.5",
"@walmart/time-clock-mini-app": "2.49.0",
- "@walmart/topstock-mini-app": "0.0.2-feat-8919a81",
+ "@walmart/topstock-mini-app": "0.0.2-feat-136dd04",
"@walmart/ui-components": "1.10.1",
"@walmart/welcomeme-mini-app": "0.76.0",
"@walmart/wfm-ui": "0.2.26",
@@ -6099,9 +6099,9 @@
"license": "GPL-3.0-or-later"
},
"node_modules/@walmart/topstock-mini-app": {
- "version": "0.0.2-feat-8919a81",
- "resolved": "https://npme.walmart.com/@walmart/topstock-mini-app/-/topstock-mini-app-0.0.2-feat-8919a81.tgz",
- "integrity": "sha512-OSgcXxk2LDEdKeiL9+fEjAbiEA/UiZWETY5wwcp55EWNBDERGqrvTH0bDzFxggMWMmWZQXjpsxOwFoV/aXc6IQ==",
+ "version": "0.0.2-feat-136dd04",
+ "resolved": "https://npme.walmart.com/@walmart/topstock-mini-app/-/topstock-mini-app-0.0.2-feat-136dd04.tgz",
+ "integrity": "sha512-B00zJs+RYXdQGd52brTY/8PJOwzoqmip+WX6ebc02xnaPWc6jXnZRvuy/64mmbfuSZvnIlLiVGkS1NFS+611Jg==",
"dependencies": {
"javascript-time-ago": "^2.5.7"
},
@@ -25406,9 +25406,9 @@
"version": "1.0.4"
},
"@walmart/topstock-mini-app": {
- "version": "0.0.2-feat-8919a81",
- "resolved": "https://npme.walmart.com/@walmart/topstock-mini-app/-/topstock-mini-app-0.0.2-feat-8919a81.tgz",
- "integrity": "sha512-OSgcXxk2LDEdKeiL9+fEjAbiEA/UiZWETY5wwcp55EWNBDERGqrvTH0bDzFxggMWMmWZQXjpsxOwFoV/aXc6IQ==",
+ "version": "0.0.2-feat-136dd04",
+ "resolved": "https://npme.walmart.com/@walmart/topstock-mini-app/-/topstock-mini-app-0.0.2-feat-136dd04.tgz",
+ "integrity": "sha512-B00zJs+RYXdQGd52brTY/8PJOwzoqmip+WX6ebc02xnaPWc6jXnZRvuy/64mmbfuSZvnIlLiVGkS1NFS+611Jg==",
"requires": {
"javascript-time-ago": "^2.5.7"
}
--- package.json
@@ -123,7 +123,7 @@
"@walmart/shelfavailability-mini-app": "1.5.13",
"@walmart/taskit-mini-app": "2.24.5",
"@walmart/time-clock-mini-app": "2.49.0",
- "@walmart/topstock-mini-app": "0.0.2-feat-8919a81",
+ "@walmart/topstock-mini-app": "0.0.2-feat-136dd04",
"@walmart/ui-components": "1.10.1",
"@walmart/welcomeme-mini-app": "0.76.0",
"@walmart/wfm-ui": "0.2.26",
| fix(sorting): update topstock version VS-2163 | fix(sorting): update topstock version VS-2163
|
c60800b6720dcdacacac132aa628b152dde6eae6 | --- package-lock.json
@@ -3039,17 +3039,17 @@
}
},
"@walmart/allspark-me-mini-app": {
- "version": "0.0.22",
- "resolved": "https://npme.walmart.com/@walmart/allspark-me-mini-app/-/allspark-me-mini-app-0.0.22.tgz",
- "integrity": "sha512-cIlQgTOURPYg/tKeXEw39+jBUDrIfpuuviIkIQ90XHHnt55E7F1ifP/TcdyqyhcIHJBw6TwBcPl2IH26jJky8g==",
+ "version": "0.0.23",
+ "resolved": "https://npme.walmart.com/@walmart/allspark-me-mini-app/-/allspark-me-mini-app-0.0.23.tgz",
+ "integrity": "sha512-BWDKXQKa96w8XujBQyPujxpYHYuUvgXl8a3WO8AH886Ns69pYM0MB1oayqIanwnJB9U5Sw4EbO6PJGdfEVv7eA==",
"requires": {
"reselect": "^4.0.0"
}
},
"@walmart/ask-sam-mini-app": {
- "version": "0.10.41",
- "resolved": "https://npme.walmart.com/@walmart/ask-sam-mini-app/-/ask-sam-mini-app-0.10.41.tgz",
- "integrity": "sha512-23qXRDzWye+5VaL3B2ANeVJ0Dn+NkJRynpI0VXRenbQZewsjEeiHIndCCCw8Gnlmz6ZxBH/8kjhbLnosFQ1Qwg==",
+ "version": "0.12.1",
+ "resolved": "https://npme.walmart.com/@walmart/ask-sam-mini-app/-/ask-sam-mini-app-0.12.1.tgz",
+ "integrity": "sha512-wX9Gr15HJTJhsuwVAevcdITPV67f15X7fuE3dZMx9zYtSqdPIU57GHYrc4gahjEcWQ/TVuFNIXjOhEkEskxkOA==",
"requires": {
"apisauce": "^1.1.2",
"lodash": "^4.17.19",
@@ -3627,6 +3627,15 @@
"follow-redirects": "1.5.10"
}
},
+ "axios-cache-adapter": {
+ "version": "2.7.3",
+ "resolved": "https://npme.walmart.com/axios-cache-adapter/-/axios-cache-adapter-2.7.3.tgz",
+ "integrity": "sha512-A+ZKJ9lhpjthOEp4Z3QR/a9xC4du1ALaAsejgRGrH9ef6kSDxdFrhRpulqsh9khsEnwXxGfgpUuDp1YXMNMEiQ==",
+ "requires": {
+ "cache-control-esm": "1.0.0",
+ "md5": "^2.2.1"
+ }
+ },
"azure-storage": {
"version": "2.10.3",
"resolved": "https://npme.walmart.com/azure-storage/-/azure-storage-2.10.3.tgz",
@@ -4005,6 +4014,11 @@
"unset-value": "^1.0.0"
}
},
+ "cache-control-esm": {
+ "version": "1.0.0",
+ "resolved": "https://npme.walmart.com/cache-control-esm/-/cache-control-esm-1.0.0.tgz",
+ "integrity": "sha512-Fa3UV4+eIk4EOih8FTV6EEsVKO0W5XWtNs6FC3InTfVz+EjurjPfDXY5wZDo/lxjDxg5RjNcurLyxEJBcEUx9g=="
+ },
"caller-callsite": {
"version": "2.0.0",
"resolved": "https://npme.walmart.com/caller-callsite/-/caller-callsite-2.0.0.tgz",
@@ -4081,6 +4095,11 @@
"resolved": "https://npme.walmart.com/chardet/-/chardet-0.4.2.tgz",
"integrity": "sha1-tUc7M9yXxCTl2Y3IfVXU2KKci/I="
},
+ "charenc": {
+ "version": "0.0.2",
+ "resolved": "https://npme.walmart.com/charenc/-/charenc-0.0.2.tgz",
+ "integrity": "sha1-wKHS86cJLgN3S/qD8UwPxXkKhmc="
+ },
"ci-info": {
"version": "2.0.0",
"resolved": "https://npme.walmart.com/ci-info/-/ci-info-2.0.0.tgz",
@@ -4440,6 +4459,11 @@
}
}
},
+ "crypt": {
+ "version": "0.0.2",
+ "resolved": "https://npme.walmart.com/crypt/-/crypt-0.0.2.tgz",
+ "integrity": "sha1-iNf/fsDfuG9xPch7u0LQRNPmxBs="
+ },
"crypto-js": {
"version": "3.3.0",
"resolved": "https://npme.walmart.com/crypto-js/-/crypto-js-3.3.0.tgz",
@@ -10438,6 +10462,16 @@
"object-visit": "^1.0.0"
}
},
+ "md5": {
+ "version": "2.3.0",
+ "resolved": "https://npme.walmart.com/md5/-/md5-2.3.0.tgz",
+ "integrity": "sha512-T1GITYmFaKuO91vxyoQMFETst+O71VUPEU3ze5GNzDm0OWdP8v1ziTaAEPUr/3kLsY3Sftgz242A1SetQiDL7g==",
+ "requires": {
+ "charenc": "0.0.2",
+ "crypt": "0.0.2",
+ "is-buffer": "~1.1.6"
+ }
+ },
"md5.js": {
"version": "1.3.4",
"resolved": "https://npme.walmart.com/md5.js/-/md5.js-1.3.4.tgz",
@@ -12262,9 +12296,9 @@
"integrity": "sha512-vneDkHGDuTvLQjUBztqb2YI8QoH1zxdJonPGTS+g57lfJZff9fAjoLSSb6NgMBebpXFcK3I3sEresGyL+3AArw=="
},
"react-native-error-boundary": {
- "version": "1.1.7",
- "resolved": "https://npme.walmart.com/react-native-error-boundary/-/react-native-error-boundary-1.1.7.tgz",
- "integrity": "sha512-/JOztxlyhPOojj0WRmckx0AE3DVUee6xP55gh1jTnJieZILG7/jPz+VPCg0zslOy6VABf5rp4KRnoEJPjLnclA=="
+ "version": "1.1.8",
+ "resolved": "https://npme.walmart.com/react-native-error-boundary/-/react-native-error-boundary-1.1.8.tgz",
+ "integrity": "sha512-5m7uY0nwf6ZYw0nF2Nf0DeE5F2o6gtlGKy2S3o/m/zgcRWyullidCgisreIcDKJSNnKdgA9rj2dCzRaytHfDcQ=="
},
"react-native-fast-image": {
"version": "8.3.4",
--- package.json
@@ -62,8 +62,8 @@
"@terrylinla/react-native-sketch-canvas": "^0.8.0",
"@walmart/allspark-health-survey-mini-app": "0.0.33",
"@walmart/allspark-home-mini-app": "0.1.11",
- "@walmart/allspark-me-mini-app": "0.0.22",
- "@walmart/ask-sam-mini-app": "0.10.41",
+ "@walmart/allspark-me-mini-app": "0.0.23",
+ "@walmart/ask-sam-mini-app": "0.12.1",
"@walmart/config-components": "1.0.19",
"@walmart/feedback-all-spark-miniapp": "0.0.45",
"@walmart/functional-components": "1.0.25",
@@ -81,6 +81,7 @@
"@walmart/time-clock-mini-app": "0.1.52",
"@walmart/ui-components": "1.1.3",
"@walmart/welcomeme-mini-app": "0.5.27",
+ "axios-cache-adapter": "2.7.3",
"crypto-js": "^3.3.0",
"i18next": "^19.7.0",
"intl": "^1.2.5",
| Ask Sam & Home Version Increment (#478) | Ask Sam & Home Version Increment (#478)
* Bumping ask sam and me versions
* Incrementing ask sam and home versions
* Adding back global nav
Co-authored-by: rlane1 <rlane1@walmart.com> |
dfc13177478abc0b4486b8e607fc26f4d38af078 | --- core/__tests__/navigation/USHallway/AssociateHallwayNav/__snapshots__/MainStackNavTest.tsx.snap
@@ -529,6 +529,15 @@ exports[`AssociateHallwayNav matches snapshot; handles mount and unmount effects
}
}
/>
+ <Screen
+ component={[Function]}
+ name="Shop GNFR"
+ options={
+ {
+ "headerShown": false,
+ }
+ }
+ />
<Screen
getComponent={[Function]}
name="Core.ChangeStoreModal"
@@ -1317,6 +1326,15 @@ exports[`AssociateHallwayNav matches snapshot; handles mount and unmount effects
}
}
/>
+ <Screen
+ component={[Function]}
+ name="Shop GNFR"
+ options={
+ {
+ "headerShown": false,
+ }
+ }
+ />
<Screen
getComponent={[Function]}
name="Core.ChangeStoreModal"
| updated snapshot | updated snapshot
|
d1eb0c4aa24c528fdc9b6f95b4fbb054342d6575 | --- targets/US/ios/Podfile.lock
@@ -2926,4 +2926,4 @@ SPEC CHECKSUMS:
PODFILE CHECKSUM: 17e750d8df86ae62ba07284ce6cb973a761640ea
-COCOAPODS: 1.15.2
+COCOAPODS: 1.14.3
--- targets/US/package.json
@@ -144,7 +144,7 @@
"@walmart/roster-mini-app": "2.8.2",
"@walmart/schedule-mini-app": "0.118.0",
"@walmart/shelfavailability-mini-app": "1.5.33",
- "@walmart/shop-gnfr-mini-app": "1.0.127",
+ "@walmart/shop-gnfr-mini-app": "1.0.129",
"@walmart/sidekick-mini-app": "4.67.15",
"@walmart/store-feature-orders": "1.26.12",
"@walmart/taskit-mini-app": "4.17.17",
| resolved conflicts and addressed PR comments | resolved conflicts and addressed PR comments
|
a41abc9abdd50161f317516bc52b490e556a070b | --- __tests__/navigation/AssociateHallwayNav/Tabs/__snapshots__/MyTeamStackNavTest.tsx.snap
@@ -4,13 +4,22 @@ exports[`MeStackNav matches snapshot 1`] = `
<Navigator
screenOptions={
Object {
- "headerShown": false,
+ "header": [Function],
+ "headerMode": "float",
+ "headerShown": true,
}
}
>
<Screen
component="PushToTalkMiniApp"
name="myTeam"
+ options={
+ Object {
+ "headerLeft": [Function],
+ "headerRight": [Function],
+ "title": "navigation.myTeam",
+ }
+ }
/>
<Screen
component="TimeClockScreen"
--- package.json
@@ -241,10 +241,10 @@
"testResultsProcessor": "jest-sonar-reporter",
"coverageThreshold": {
"global": {
- "statements": 100,
- "branches": 100,
- "functions": 100,
- "lines": 100
+ "statements": 95,
+ "branches": 95,
+ "functions": 95,
+ "lines": 95
}
},
"transformIgnorePatterns": [
| temporary reduction of coverage | temporary reduction of coverage
|
c859fbae81c308ab8d5548b84ab96e1598919a78 | --- __tests__/managerExperience/screens/__snapshots__/RosterDetailScreen.test.tsx.snap
@@ -1861,13 +1861,13 @@ exports[`RosterDetailScreen renders manager view if user is manager 1`] = `
"label": "Clocked in",
},
{
- "count": 6,
+ "count": NaN,
"id": "tardy",
"isApplied": false,
"label": "Tardy",
},
{
- "count": 6,
+ "count": 0,
"id": "absent",
"isApplied": false,
"label": "Absent",
@@ -2267,13 +2267,13 @@ exports[`RosterDetailScreen renders manager view if user is manager 1`] = `
"label": "Clocked in",
},
{
- "count": 6,
+ "count": NaN,
"id": "tardy",
"isApplied": false,
"label": "Tardy",
},
{
- "count": 6,
+ "count": 0,
"id": "absent",
"isApplied": false,
"label": "Absent",
@@ -2766,7 +2766,7 @@ exports[`RosterDetailScreen renders manager view if user is manager 1`] = `
testID="filter-chip-tardy"
>
<View
- accessibilityLabel="Filter by 6 Tardy"
+ accessibilityLabel="Filter by NaN Tardy"
accessibilityRole="togglebutton"
accessibilityState={
{
@@ -2787,10 +2787,10 @@ exports[`RosterDetailScreen renders manager view if user is manager 1`] = `
}
accessible={true}
collapsable={false}
- count={6}
+ count={NaN}
focusable={true}
isApplied={false}
- label="6 Tardy"
+ label="NaN Tardy"
onBlur={[Function]}
onClick={[Function]}
onFocus={[Function]}
@@ -2870,7 +2870,7 @@ exports[`RosterDetailScreen renders manager view if user is manager 1`] = `
}
}
>
- 6 Tardy
+ NaN Tardy
</Text>
</Text>
</View>
@@ -2879,7 +2879,7 @@ exports[`RosterDetailScreen renders manager view if user is manager 1`] = `
testID="filter-chip-absent"
>
<View
- accessibilityLabel="Filter by 6 Absent"
+ accessibilityLabel="Filter by 0 Absent"
accessibilityRole="togglebutton"
accessibilityState={
{
@@ -2900,10 +2900,10 @@ exports[`RosterDetailScreen renders manager view if user is manager 1`] = `
}
accessible={true}
collapsable={false}
- count={6}
+ count={0}
focusable={true}
isApplied={false}
- label="6 Absent"
+ label="0 Absent"
onBlur={[Function]}
onClick={[Function]}
onFocus={[Function]}
@@ -2983,7 +2983,7 @@ exports[`RosterDetailScreen renders manager view if user is manager 1`] = `
}
}
>
- 6 Absent
+ 0 Absent
</Text>
</Text>
</View>
| test: updated snapshot | test: updated snapshot
|
f22cc15e5f1d59a264230484564ca55319e2f02b | --- targets/US/package.json
@@ -125,8 +125,8 @@
"@walmart/myteam-mini-app": "1.12.0",
"@walmart/native-rfid-scanner": "3.12.1",
"@walmart/onewalmart-miniapp": "1.0.24",
- "@walmart/pay-stub-miniapp": "0.20.9",
- "@walmart/payrollsolution_miniapp": "0.145.29",
+ "@walmart/pay-stub-miniapp": "0.20.10",
+ "@walmart/payrollsolution_miniapp": "0.145.30",
"@walmart/price-changes-mini-app": "1.10.25",
"@walmart/profile-feature-app": "patch:@walmart/profile-feature-app@npm%3A1.138.3#~/.yarn/patches/@walmart-profile-feature-app-npm-1.138.3-9802440ed6.patch",
"@walmart/react-native-cookies": "1.0.1",
--- yarn.lock
@@ -7328,8 +7328,8 @@ __metadata:
"@walmart/myteam-mini-app": "npm:1.12.0"
"@walmart/native-rfid-scanner": "npm:3.12.1"
"@walmart/onewalmart-miniapp": "npm:1.0.24"
- "@walmart/pay-stub-miniapp": "npm:0.20.9"
- "@walmart/payrollsolution_miniapp": "npm:0.145.29"
+ "@walmart/pay-stub-miniapp": "npm:0.20.10"
+ "@walmart/payrollsolution_miniapp": "npm:0.145.30"
"@walmart/price-changes-mini-app": "npm:1.10.25"
"@walmart/profile-feature-app": "patch:@walmart/profile-feature-app@npm%3A1.138.3#~/.yarn/patches/@walmart-profile-feature-app-npm-1.138.3-9802440ed6.patch"
"@walmart/react-native-cookies": "npm:1.0.1"
@@ -7742,27 +7742,27 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/pay-stub-miniapp@npm:0.20.9":
- version: 0.20.9
- resolution: "@walmart/pay-stub-miniapp@npm:0.20.9"
+"@walmart/pay-stub-miniapp@npm:0.20.10":
+ version: 0.20.10
+ resolution: "@walmart/pay-stub-miniapp@npm:0.20.10::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Fpay-stub-miniapp%2F-%2F%40walmart%2Fpay-stub-miniapp-0.20.10.tgz"
dependencies:
expo: "npm:^50.0.0"
expo-sharing: "npm:~11.7.0"
peerDependencies:
"@walmart/allspark-foundation": "*"
- checksum: 10c0/56777cd8db027ad310c5ee15d2936c396e0f8df5aab7acbd23d0a3ff71e5939d1166cd8b890e7ee700bb17df71c15b6cd2908fcc93f3319bfb202e22bb98582b
+ checksum: 10c0/f45635d9bb5cd000bf2ebd47c92d921a561d4d24688f8a5d6b60fb8383ef53918b45b578d7c54dc9b3d1368ad017fe28279a65e3abcacb375209647670f0ec7e
languageName: node
linkType: hard
-"@walmart/payrollsolution_miniapp@npm:0.145.29":
- version: 0.145.29
- resolution: "@walmart/payrollsolution_miniapp@npm:0.145.29"
+"@walmart/payrollsolution_miniapp@npm:0.145.30":
+ version: 0.145.30
+ resolution: "@walmart/payrollsolution_miniapp@npm:0.145.30::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Fpayrollsolution_miniapp%2F-%2F%40walmart%2Fpayrollsolution_miniapp-0.145.30.tgz"
dependencies:
crypto-js: "npm:^3.3.0"
expo: "npm:^50.0.0"
peerDependencies:
"@walmart/allspark-foundation": "*"
- checksum: 10c0/7cded6c9087b1a6b174a7443087fa943cf6b699d7b47aec49adc5f690450e6c621ed7691b9a241463f826e53040466bbcf487fef9b8d4e230a68a4eba1d1acdf
+ checksum: 10c0/5f6f7efd357579e2249b915dc2ced7c38422b78668e8212d082bac65625abb1a8be8281d2c3857c7075390d1d5ddced2ffbd2c8fc952fe4f6bfece852cb00e4c
languageName: node
linkType: hard
| bump version | bump version
|
34a67080478d3aabd8e19bb32553838c3bcebbfe | --- packages/react-native-wm-notification/src/index.ts
@@ -30,17 +30,7 @@ import {
* import {NotificationSelectors} from '@walmart/allspark-foundation/Notification';
* const profile = useSelector(NotificationSelectors.getProfile); // Use Notification data
*/
-export default {
- ...AllsparkNotificationClient,
- /**
- * @deprecated default listener should be managed by an `AllsparkContainer`
- */
- setDefaultListener() {},
- /**
- * @deprecated Notification listeners will be run automatically through the `AllsparkNotificationClient`
- */
- runListeners() {},
-};
+export default AllsparkNotificationClient;
/**
* @deprecated use `AllsparkNotificationService` from '@walmart/allspark-foundation/Notification' instead
| fix: legacy notification client incorrectly extended | fix: legacy notification client incorrectly extended
|
0291088b72b67aa424e88468c6284542f309e28d | --- __tests__/components/ListEmptyComponentTest.tsx
@@ -1,42 +0,0 @@
-// import React from 'react';
-// import {
-// ListEmptyComponent,
-// ListEmptyComponentProps,
-// } from '../../src/components/Roster/ListEmptyComponent';
-// import {renderWithProviders} from '../harness';
-
-// describe('ListEmptyComponent', () => {
-// it('renders all components correctly', () => {
-// const props = {
-// isLoading: true,
-// } as ListEmptyComponentProps;
-// const component = renderWithProviders(<ListEmptyComponent {...props} />);
-// const loadingSpinnerComponent = component.getByTestId(
-// 'rosterScreenLoadingSpinner',
-// );
-// expect(loadingSpinnerComponent).toBeDefined();
-// expect(component.toJSON()).toMatchSnapshot();
-// });
-
-// it('renders all components', () => {
-// const props = {
-// isLoading: false,
-// hasError: true,
-// } as ListEmptyComponentProps;
-// const component = renderWithProviders(<ListEmptyComponent {...props} />);
-// const alertComponent = component.getByText('Error fetching daily roster');
-// expect(alertComponent).toBeDefined();
-// expect(component.toJSON()).toMatchSnapshot();
-// });
-// it('renders all components selected Filter', () => {
-// const props = {
-// isLoading: false,
-// hasError: false,
-// selectedFilter: 'tardy',
-// } as ListEmptyComponentProps;
-// const component = renderWithProviders(<ListEmptyComponent {...props} />);
-// const selectedFilterComponent = component.getByTestId('selectedFilter');
-// expect(selectedFilterComponent).toBeDefined();
-// expect(component.toJSON()).toMatchSnapshot();
-// });
-// });
| Adding coverage for search component | Adding coverage for search component
|
40cb0ee3203e211324cd6e239ad40d8a17d695a0 | --- src/services/config.ts
@@ -9,7 +9,7 @@ export const getGraphQLConfig = (envConfig: EnvConfig) => {
//envConfig.consumerId, // temporary until onboarded with athena
'wm_consumer.id':
envConfig.env === 'prod'
- ? 'cfac4a3d-ae91-43c8-81f5-ceb838e4cd44'
+ ? 'dcf8f8e7-20de-4765-9169-6bbe3f654960'
: '6513bb4d-28f3-46c1-8640-2e40d2f8f789',
'x-o-platform': 'myTeam-miniapp',
'x-o-platform-version': miniAppPackage?.version || '2.x.x',
| Adding consumer Id | Adding consumer Id
|
4f5a10d8fdb3027f198a88f5ee0c5f2f698cc887 | --- package-lock.json
@@ -66,9 +66,9 @@
"@walmart/react-native-shared-navigation": "1.0.2",
"@walmart/react-native-sumo-sdk": "2.6.0",
"@walmart/redux-store": "3.7.0",
- "@walmart/roster-mini-app": "1.1.7",
+ "@walmart/roster-mini-app": "2.1.0",
"@walmart/ui-components": "1.15.1",
- "@walmart/wmconnect-mini-app": "1.1.6",
+ "@walmart/wmconnect-mini-app": "1.2.0",
"babel-jest": "^29.2.1",
"chance": "^1.1.11",
"eslint": "8.22.0",
@@ -11819,9 +11819,9 @@
}
},
"node_modules/@walmart/roster-mini-app": {
- "version": "1.1.7",
- "resolved": "https://npme.walmart.com/@walmart/roster-mini-app/-/roster-mini-app-1.1.7.tgz",
- "integrity": "sha512-OSNWWHo8vuDM9Iux/pMcdMcMVG+VHhE1fP38wRpwIYbqkwBl0mGsa2Qyn8MiQPLcqGpGOhyp8Hs8a55CThw2dA==",
+ "version": "2.1.0",
+ "resolved": "https://npme.walmart.com/@walmart/roster-mini-app/-/roster-mini-app-2.1.0.tgz",
+ "integrity": "sha512-9Vqsm8CTycqe3L8JGgoMSy9pWgqOGKiMDk1BnbY6Ye0ZBEVTI6DZIRzRoNPr3K/xyxXIOU8xd1FXiqk2e1fRlw==",
"dev": true,
"hasInstallScript": true
},
@@ -11848,9 +11848,9 @@
}
},
"node_modules/@walmart/wmconnect-mini-app": {
- "version": "1.1.6",
- "resolved": "https://npme.walmart.com/@walmart/wmconnect-mini-app/-/wmconnect-mini-app-1.1.6.tgz",
- "integrity": "sha512-sBIJdwgroQvgXxFfeZDWPj/RBc72Ps5As/w14/s3oqH8K1ZV7WaeI4WtKBWoTpWATTKI/y5l3a2KAISRoJUGFA==",
+ "version": "1.2.0",
+ "resolved": "https://npme.walmart.com/@walmart/wmconnect-mini-app/-/wmconnect-mini-app-1.2.0.tgz",
+ "integrity": "sha512-Hpd+8p25mbt0KiICCllq6c2QmiDvfni4IXNRyJYB3Vf9Hl82iYK2uqOZGhQg/QrhpMQ26b59By6Lc8AVHHI7NA==",
"dev": true,
"hasInstallScript": true
},
@@ -40930,9 +40930,9 @@
}
},
"@walmart/roster-mini-app": {
- "version": "1.1.7",
- "resolved": "https://npme.walmart.com/@walmart/roster-mini-app/-/roster-mini-app-1.1.7.tgz",
- "integrity": "sha512-OSNWWHo8vuDM9Iux/pMcdMcMVG+VHhE1fP38wRpwIYbqkwBl0mGsa2Qyn8MiQPLcqGpGOhyp8Hs8a55CThw2dA==",
+ "version": "2.1.0",
+ "resolved": "https://npme.walmart.com/@walmart/roster-mini-app/-/roster-mini-app-2.1.0.tgz",
+ "integrity": "sha512-9Vqsm8CTycqe3L8JGgoMSy9pWgqOGKiMDk1BnbY6Ye0ZBEVTI6DZIRzRoNPr3K/xyxXIOU8xd1FXiqk2e1fRlw==",
"dev": true
},
"@walmart/ui-components": {
@@ -40947,9 +40947,9 @@
}
},
"@walmart/wmconnect-mini-app": {
- "version": "1.1.6",
- "resolved": "https://npme.walmart.com/@walmart/wmconnect-mini-app/-/wmconnect-mini-app-1.1.6.tgz",
- "integrity": "sha512-sBIJdwgroQvgXxFfeZDWPj/RBc72Ps5As/w14/s3oqH8K1ZV7WaeI4WtKBWoTpWATTKI/y5l3a2KAISRoJUGFA==",
+ "version": "1.2.0",
+ "resolved": "https://npme.walmart.com/@walmart/wmconnect-mini-app/-/wmconnect-mini-app-1.2.0.tgz",
+ "integrity": "sha512-Hpd+8p25mbt0KiICCllq6c2QmiDvfni4IXNRyJYB3Vf9Hl82iYK2uqOZGhQg/QrhpMQ26b59By6Lc8AVHHI7NA==",
"dev": true
},
"@whatwg-node/events": {
| feat(ui): updating wmconnect and roster versions smdv-5695 | feat(ui): updating wmconnect and roster versions smdv-5695
|
c4fc9a3782b6b779a90c538254618fc63d60a087 | --- package-lock.json
@@ -67,7 +67,7 @@
"@walmart/mod-flex-mini-app": "1.10.4",
"@walmart/moment-walmart": "1.0.4",
"@walmart/onewalmart-miniapp": "1.0.16",
- "@walmart/pay-stub-miniapp": "0.10.11",
+ "@walmart/pay-stub-miniapp": "0.10.12",
"@walmart/payrollsolution_miniapp": "0.131.12",
"@walmart/price-changes-mini-app": "1.9.7",
"@walmart/profile-feature-app": "0.287.1",
@@ -8797,9 +8797,9 @@
}
},
"node_modules/@walmart/pay-stub-miniapp": {
- "version": "0.10.11",
- "resolved": "https://npme.walmart.com/@walmart/pay-stub-miniapp/-/pay-stub-miniapp-0.10.11.tgz",
- "integrity": "sha512-uvFtQsJZDdyeXl8dEsgHXbEazVWJ3rKPsdmtpajERDVxVaKZAuIyvyoQ1OgbIFCFayqiNNo4fkuKjpRsOYq0xA==",
+ "version": "0.10.12",
+ "resolved": "https://npme.walmart.com/@walmart/pay-stub-miniapp/-/pay-stub-miniapp-0.10.12.tgz",
+ "integrity": "sha512-tM22WF9vOgVeDl8ithH6+1uRGizPS/kJUQBrj2iitZqWJvTNvpAO7xGHphWFWetpTK0eKQGgDACjLQPiko+avg==",
"hasInstallScript": true,
"dependencies": {
"crypto-js": "^3.3.0"
@@ -33741,9 +33741,9 @@
}
},
"@walmart/pay-stub-miniapp": {
- "version": "0.10.11",
- "resolved": "https://npme.walmart.com/@walmart/pay-stub-miniapp/-/pay-stub-miniapp-0.10.11.tgz",
- "integrity": "sha512-uvFtQsJZDdyeXl8dEsgHXbEazVWJ3rKPsdmtpajERDVxVaKZAuIyvyoQ1OgbIFCFayqiNNo4fkuKjpRsOYq0xA==",
+ "version": "0.10.12",
+ "resolved": "https://npme.walmart.com/@walmart/pay-stub-miniapp/-/pay-stub-miniapp-0.10.12.tgz",
+ "integrity": "sha512-tM22WF9vOgVeDl8ithH6+1uRGizPS/kJUQBrj2iitZqWJvTNvpAO7xGHphWFWetpTK0eKQGgDACjLQPiko+avg==",
"requires": {
"crypto-js": "^3.3.0"
}
--- package.json
@@ -108,7 +108,7 @@
"@walmart/mod-flex-mini-app": "1.10.4",
"@walmart/moment-walmart": "1.0.4",
"@walmart/onewalmart-miniapp": "1.0.16",
- "@walmart/pay-stub-miniapp": "0.10.11",
+ "@walmart/pay-stub-miniapp": "0.10.12",
"@walmart/payrollsolution_miniapp": "0.131.12",
"@walmart/price-changes-mini-app": "1.9.7",
"@walmart/profile-feature-app": "0.287.1",
| bump version | bump version
|
835f592ad4459e1c8ec66e13c595a2f4a08eae77 | --- README.md
@@ -17,11 +17,12 @@ Default **GraphQL** library for Allspark framework.
#### [@walmart/allspark-http-client](https://gecgithub01.walmart.com/allspark/allspark/tree/main/packages/allspark-http-client)
-Default **HTTP** library for Allspark framework.
+Default **HTTP** library for Allspark framework. (Replacing [@walmart/functional-components](https://gecgithub01.walmart.com/store-systems-associate-tech-platform/functional-components))
#### [@walmart/allspark-redux-store](https://gecgithub01.walmart.com/allspark/allspark/tree/main/packages/allspark-redux-store)
-Default **Redux** library for Allspark framework. (**WIP**)
+Default **Redux** library for Allspark framework. (**WIP**) (Replacing [@walmart/redux-store](https://gecgithub01.walmart.com/store-systems-associate-tech-platform/redux-store))
+
#### [@walmart/allspark-utils](https://gecgithub01.walmart.com/allspark/allspark/tree/main/packages/allspark-utils)
| Update README.md | Update README.md |
877bf18c360e5c34aa698bf19e707476280ff456 | --- package.json
@@ -179,7 +179,7 @@
"@walmart/taskit-mini-app": "5.52.12",
"@walmart/time-clock-feature-app": "1.0.2",
"@walmart/time-clock-mini-app": "patch:@walmart/time-clock-mini-app@npm%3A3.19.13#~/.yarn/patches/@walmart-time-clock-mini-app-npm-3.19.13-d3039974f6.patch",
- "@walmart/timesheet-feature-app": "0.2.0",
+ "@walmart/timesheet-feature-app": "0.2.1",
"@walmart/topstock-mini-app": "1.28.19",
"@walmart/translator-mini-app": "1.8.14",
"@walmart/ui-components": "patch:@walmart/ui-components@npm%3A1.27.4#~/.yarn/patches/@walmart-ui-components-npm-1.27.4-f17d3c535e.patch",
--- yarn.lock
@@ -8913,7 +8913,7 @@ __metadata:
"@walmart/taskit-mini-app": "npm:5.52.12"
"@walmart/time-clock-feature-app": "npm:1.0.2"
"@walmart/time-clock-mini-app": "patch:@walmart/time-clock-mini-app@npm%3A3.19.13#~/.yarn/patches/@walmart-time-clock-mini-app-npm-3.19.13-d3039974f6.patch"
- "@walmart/timesheet-feature-app": "npm:0.2.0"
+ "@walmart/timesheet-feature-app": "npm:0.2.1"
"@walmart/topstock-mini-app": "npm:1.28.19"
"@walmart/translator-mini-app": "npm:1.8.14"
"@walmart/ui-components": "patch:@walmart/ui-components@npm%3A1.27.4#~/.yarn/patches/@walmart-ui-components-npm-1.27.4-f17d3c535e.patch"
@@ -10129,9 +10129,9 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/timesheet-feature-app@npm:0.2.0":
- version: 0.2.0
- resolution: "@walmart/timesheet-feature-app@npm:0.2.0::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Ftimesheet-feature-app%2F-%2F%40walmart%2Ftimesheet-feature-app-0.2.0.tgz"
+"@walmart/timesheet-feature-app@npm:0.2.1":
+ version: 0.2.1
+ resolution: "@walmart/timesheet-feature-app@npm:0.2.1::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Ftimesheet-feature-app%2F-%2F%40walmart%2Ftimesheet-feature-app-0.2.1.tgz"
peerDependencies:
"@react-native-community/datetimepicker": "*"
"@walmart/allspark-foundation": ">=6.32.0"
@@ -10144,7 +10144,7 @@ __metadata:
react-native-calendars: ">=1.1313.0"
react-native-safe-area-context: "*"
react-native-svg: 15.x
- checksum: 10c0/97aafe2894f69e9ce041ffb880dc7478ebe7ab2995af2edac1d3729bdce4cdbe4dd797a05f68e74f857182a2ee3bfa088d82426797e72c36a2549a80aa2760bf
+ checksum: 10c0/8336371e1b2fa6524e6624c5e8431a14b1a57d5b4ec150d12ca65e81f53b43f1ee9b76997f40ffadb0c09a37e7aa9eb10c433ec14b2569569c9c9ffcd1d4f645
languageName: node
linkType: hard
| fix(GTA-168448): Bumped Version of Time sheet feature app (#5401) | fix(GTA-168448): Bumped Version of Time sheet feature app (#5401)
Co-authored-by: Shubhang Shah - s0s0zug <Shubhang.Shah@walmart.com>
Co-authored-by: Hariharan Sundaram <121838+h0s0em0@users.noreply.gecgithub01.walmart.com>
Co-authored-by: Hitesh Arora - h0a006n <Hitesh.Arora@walmart.com> |
e9bd27d10e534bbec0cfd95960251bb21d7e90aa | --- packages/allspark-utils/src/cloneObject.ts
@@ -1,8 +1,8 @@
/**
- * Creates a deep copy of an object.
+ * Creates a shallow copy of an object.
*
* @param instance - The object to clone.
- * @returns A deep copy of the input object.
+ * @returns A shallow copy of the input object.
*
* @example
* const clone = cloneObject(obj);
| chore: incorrect description of clone object util | chore: incorrect description of clone object util
|
5443fb9649fd674230a34250b21fcff31ed26e29 | --- docs/CHANGELOG.md
@@ -1,3 +1,12 @@
+# [3.10.0](https://gecgithub01.walmart.com/smdv/wmconnect-miniapp/compare/v3.9.0...v3.10.0) (2026-01-20)
+
+
+### Features
+
+* **ui:** added additional checks ([aa79a48](https://gecgithub01.walmart.com/smdv/wmconnect-miniapp/commit/aa79a485b66fcdd108cba182398e7652d11ec3bc))
+* **ui:** dummy commit ([991c4bf](https://gecgithub01.walmart.com/smdv/wmconnect-miniapp/commit/991c4bf748f446485d57470e203f84b60a53d51f))
+* **ui:** version bump ([c78edf8](https://gecgithub01.walmart.com/smdv/wmconnect-miniapp/commit/c78edf84e2e8d6e2b1362d809c89da37bf8562cc))
+
# [3.9.0](https://gecgithub01.walmart.com/smdv/wmconnect-miniapp/compare/v3.8.0...v3.9.0) (2026-01-16)
--- package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/wmconnect-mini-app",
- "version": "3.9.0",
+ "version": "3.10.0",
"main": "dist/index.js",
"files": [
"dist",
| chore(release): 3.10.0 [skip ci] | chore(release): 3.10.0 [skip ci]
# [3.10.0](https://gecgithub01.walmart.com/smdv/wmconnect-miniapp/compare/v3.9.0...v3.10.0) (2026-01-20)
### Features
* **ui:** added additional checks ([aa79a48](https://gecgithub01.walmart.com/smdv/wmconnect-miniapp/commit/aa79a485b66fcdd108cba182398e7652d11ec3bc))
* **ui:** dummy commit ([991c4bf](https://gecgithub01.walmart.com/smdv/wmconnect-miniapp/commit/991c4bf748f446485d57470e203f84b60a53d51f))
* **ui:** version bump ([c78edf8](https://gecgithub01.walmart.com/smdv/wmconnect-miniapp/commit/c78edf84e2e8d6e2b1362d809c89da37bf8562cc))
|
c01432feeee9390aa5383679cc863427f80d1fa0 | --- packages/celebration-mini-app-graphql/CHANGELOG.md
@@ -3,6 +3,12 @@
All notable changes to this project will be documented in this file.
See [Conventional Commits](https://conventionalcommits.org) for commit guidelines.
+# [1.7.0](https://gecgithub01.walmart.com/smdv/celebration-mini-app/compare/@walmart/celebration-mini-app-graphql@1.6.0...@walmart/celebration-mini-app-graphql@1.7.0) (2025-10-03)
+
+### Features
+
+- **ui:** update widget new designs ([878a47f](https://gecgithub01.walmart.com/smdv/celebration-mini-app/commit/878a47fc6ae7072563c2acd6d2efe1c4ee17eef0))
+
# [1.6.0](https://gecgithub01.walmart.com/smdv/celebration-mini-app/compare/@walmart/celebration-mini-app-graphql@1.5.1...@walmart/celebration-mini-app-graphql@1.6.0) (2025-09-03)
### Features
--- packages/celebration-mini-app-graphql/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/celebration-mini-app-graphql",
- "version": "1.6.0",
+ "version": "1.7.0",
"packageManager": "yarn@4.6.0",
"engines": {
"node": ">=18"
--- packages/celebration-mini-app/CHANGELOG.md
@@ -3,6 +3,13 @@
All notable changes to this project will be documented in this file.
See [Conventional Commits](https://conventionalcommits.org) for commit guidelines.
+# [1.10.0](https://gecgithub01.walmart.com/smdv/celebration-mini-app/compare/@walmart/celebration-mini-app@1.9.0...@walmart/celebration-mini-app@1.10.0) (2025-10-03)
+
+### Features
+
+- **ui:** update widget new designs ([878a47f](https://gecgithub01.walmart.com/smdv/celebration-mini-app/commit/878a47fc6ae7072563c2acd6d2efe1c4ee17eef0))
+- **ui:** updated celebrations with tablayout ([b466c56](https://gecgithub01.walmart.com/smdv/celebration-mini-app/commit/b466c56df8cc0d460d6a36be63bb9065342932be))
+
# [1.9.0](https://gecgithub01.walmart.com/smdv/celebration-mini-app/compare/@walmart/celebration-mini-app@1.8.0...@walmart/celebration-mini-app@1.9.0) (2025-09-03)
### Features
--- packages/celebration-mini-app/package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/celebration-mini-app",
- "version": "1.9.0",
+ "version": "1.10.0",
"packageManager": "yarn@4.6.0",
"engines": {
"node": ">=18"
| chore(version): updating package version | chore(version): updating package version
- @walmart/celebration-mini-app@1.10.0
- @walmart/celebration-mini-app-graphql@1.7.0
|
71ad2238e39b9f15f1dd346060cf7c3592fd26a3 | --- packages/allspark-foundation/__tests__/Site/selectors.test.tsx
@@ -6,7 +6,6 @@ import {
getPrimaryContact,
} from '../../src/Site/selectors';
-
describe('Address and Location Functions', () => {
let address = {
addressLine1: '321 Elm St',
@@ -74,6 +73,7 @@ describe('Address and Location Functions', () => {
it('should return true if divisionCode matches DC_DIVISION_CODE', () => {
expect(divisionIsDC('7')).toBe(true);
});
+
it('should return false if divisionCode does not match DC_DIVISION_CODE', () => {
expect(divisionIsDC('44')).toBe(false);
});
@@ -109,18 +109,18 @@ describe('Address and Location Functions', () => {
fullName: 'Jane Doe',
},
});
+ });
- it('should return false if divisionCode does not match one of DC_DIVISION_CODES', () =>{
- expect(divisionIsDC('1')).toBe(false);
- expect(divisionIsDC(undefined)).toBe(false);
- })
+ it('should return false if divisionCode does not match one of DC_DIVISION_CODES', () => {
+ expect(divisionIsDC('1')).toBe(false);
+ expect(divisionIsDC(undefined)).toBe(false);
+ });
- // Tests for divisionIsDC
- it('should return true if divisionCode matches one of DC_DIVISION_CODES', () => {
- expect(divisionIsDC('7')).toBe(true);
- expect(divisionIsDC('3')).toBe(true);
- expect(divisionIsDC('13')).toBe(true);
- expect(divisionIsDC('44')).toBe(true);
- })
+ // Tests for divisionIsDC
+ it('should return true if divisionCode matches one of DC_DIVISION_CODES', () => {
+ expect(divisionIsDC('7')).toBe(true);
+ expect(divisionIsDC('3')).toBe(true);
+ expect(divisionIsDC('13')).toBe(true);
+ expect(divisionIsDC('44')).toBe(true);
});
});
| chore: fix test break after merge | chore: fix test break after merge
|
2bb800236c2fefceb1e7cd0cd42f57c5f753df38 | --- package.json
@@ -64,7 +64,7 @@
"@sharcoux/slider": "^5.2.1",
"@terrylinla/react-native-sketch-canvas": "^0.8.0",
"@walmart/iteminfo-mini-app": "1.0.1",
- "@walmart/shelfavailability-mini-app": "0.3.26",
+ "@walmart/shelfavailability-mini-app": "0.3.28",
"@walmart/allspark-health-survey-mini-app": "0.0.38",
"@walmart/allspark-home-mini-app": "0.4.0",
"@walmart/allspark-me-mini-app": "0.1.0",
| update package.json version | update package.json version
|
bb7c2bb4fb780871280969cd6f9f71e419cd2ae7 | --- packages/allspark-foundation-hub/src/SupplyChain/Modals/UpdateTeamsModal/UpdateTeamsModal.tsx
@@ -44,8 +44,7 @@ export const UpdateTeamsModal = ({
refetch: refetchAllSiteTeams,
} = useGetSupplyChainAllTeamsBySite();
- const { shiftPreferenceData, teamPreferenceData } =
- useGetSupplyChainTeamsPreferenceQuery();
+ const { shiftPreferenceData } = useGetSupplyChainTeamsPreferenceQuery();
const updatedPrefData: string[] =
useSelector(SC_ManagerExperienceSelectors.getSavedSiteTeams) || [];
| feat(ui): more fixes | feat(ui): more fixes
|
fd67184973fa8df980d91588aab5cacec2edc451 | --- docs/CHANGELOG.md
@@ -1,3 +1,10 @@
+# [2.21.0](https://gecgithub01.walmart.com/smdv/roster-miniapp/compare/v2.20.0...v2.21.0) (2025-03-31)
+
+
+### Features
+
+* **ui:** update wmconnect mini app version ([506f4a9](https://gecgithub01.walmart.com/smdv/roster-miniapp/commit/506f4a9e6150d35b3b667165fd20c58e41ba6a63))
+
# [2.20.0](https://gecgithub01.walmart.com/smdv/roster-miniapp/compare/v2.19.0...v2.20.0) (2025-03-28)
--- package.json
@@ -1,6 +1,6 @@
{
"name": "@walmart/roster-mini-app",
- "version": "2.20.0",
+ "version": "2.21.0",
"main": "dist/index.js",
"files": [
"dist"
| chore(release): 2.21.0 [skip ci] | chore(release): 2.21.0 [skip ci]
# [2.21.0](https://gecgithub01.walmart.com/smdv/roster-miniapp/compare/v2.20.0...v2.21.0) (2025-03-31)
### Features
* **ui:** update wmconnect mini app version ([506f4a9](https://gecgithub01.walmart.com/smdv/roster-miniapp/commit/506f4a9e6150d35b3b667165fd20c58e41ba6a63))
|
5022a5f187054170e0b92b3ab88fc5d5b29d0e9e | --- package.json
@@ -128,7 +128,7 @@
"@walmart/inbox-mini-app": "0.105.3",
"@walmart/invue-react-native-sdk": "0.1.26-alpha.14",
"@walmart/iteminfo-mini-app": "8.8.11",
- "@walmart/learning-mini-app": "21.0.0",
+ "@walmart/learning-mini-app": "21.0.7",
"@walmart/manager-approvals-miniapp": "0.5.6",
"@walmart/me-at-walmart-athena-queries": "6.38.0",
"@walmart/me-at-walmart-common": "workspace:^",
--- yarn.lock
@@ -8273,9 +8273,9 @@ __metadata:
languageName: node
linkType: hard
-"@walmart/learning-mini-app@npm:21.0.0":
- version: 21.0.0
- resolution: "@walmart/learning-mini-app@npm:21.0.0::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Flearning-mini-app%2F-%2F%40walmart%2Flearning-mini-app-21.0.0.tgz"
+"@walmart/learning-mini-app@npm:21.0.7":
+ version: 21.0.7
+ resolution: "@walmart/learning-mini-app@npm:21.0.7::__archiveUrl=https%3A%2F%2Fnpm.ci.artifacts.walmart.com%3A443%2Fartifactory%2Fapi%2Fnpm%2Fnpme-npm%2F%40walmart%2Flearning-mini-app%2F-%2F%40walmart%2Flearning-mini-app-21.0.7.tgz"
peerDependencies:
"@shopify/flash-list": "*"
"@walmart/allspark-foundation": ">=6.32.0"
@@ -8289,7 +8289,7 @@ __metadata:
react-native-safe-area-context: "*"
react-native-svg: "*"
react-native-web: "*"
- checksum: 10c0/22cb6199d33b43de822bb9dfa1426b1aafeab7730d0972d018682c5b0a36360002dafa32717e684031c52973aa9fcf537852de3ee1855c2158aa61c956c75b54
+ checksum: 10c0/21c6e614f7beffa151fc2577ee56b53b791a60325c4c100b74a099b6f89ab5514474950b123d10931ab034a9639363e3bea60cbfad6e772e1f6a2e43dc64021b
languageName: node
linkType: hard
@@ -8526,7 +8526,7 @@ __metadata:
"@walmart/inbox-mini-app": "npm:0.105.3"
"@walmart/invue-react-native-sdk": "npm:0.1.26-alpha.14"
"@walmart/iteminfo-mini-app": "npm:8.8.11"
- "@walmart/learning-mini-app": "npm:21.0.0"
+ "@walmart/learning-mini-app": "npm:21.0.7"
"@walmart/manager-approvals-miniapp": "npm:0.5.6"
"@walmart/me-at-walmart-athena-queries": "npm:6.38.0"
"@walmart/me-at-walmart-common": "workspace:^"
| feat: Incremented learning-mini-app to 21.0.2 (#5159) | feat: Incremented learning-mini-app to 21.0.2 (#5159)
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.