Skip to content

Commit 95acb6e

Browse files
authored
Fixing issue where deleted profiles were being sent to devices. (#25095) (#25177)
Cherry pick. For #24804 # Checklist for submitter - [x] Changes file added for user-visible changes in `changes/`, `orbit/changes/` or `ee/fleetd-chrome/changes`. See [Changes files](https://github.com/fleetdm/fleet/blob/main/docs/Contributing/Committing-Changes.md#changes-files) for more information. - [x] Added/updated tests - [x] If database migrations are included, checked table schema to confirm autoupdate - [x] Manual QA for all new/changed functionality (cherry picked from commit 7e1a808)
1 parent c969a7f commit 95acb6e

17 files changed

+415
-14
lines changed

changes/24804-deleted-profiles

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
Fixed issue where deleted Apple config profiles were installing on devices because devices were offline when the profile was added.

server/datastore/mysql/apple_mdm.go

+21-8
Original file line numberDiff line numberDiff line change
@@ -2719,7 +2719,8 @@ func (ds *Datastore) BulkUpsertMDMAppleHostProfiles(ctx context.Context, payload
27192719
detail,
27202720
command_uuid,
27212721
checksum,
2722-
secrets_updated_at
2722+
secrets_updated_at,
2723+
ignore_error
27232724
)
27242725
VALUES %s
27252726
ON DUPLICATE KEY UPDATE
@@ -2728,6 +2729,7 @@ func (ds *Datastore) BulkUpsertMDMAppleHostProfiles(ctx context.Context, payload
27282729
detail = VALUES(detail),
27292730
checksum = VALUES(checksum),
27302731
secrets_updated_at = VALUES(secrets_updated_at),
2732+
ignore_error = VALUES(ignore_error),
27312733
profile_identifier = VALUES(profile_identifier),
27322734
profile_name = VALUES(profile_name),
27332735
command_uuid = VALUES(command_uuid)`,
@@ -2747,9 +2749,9 @@ func (ds *Datastore) BulkUpsertMDMAppleHostProfiles(ctx context.Context, payload
27472749
}
27482750

27492751
generateValueArgs := func(p *fleet.MDMAppleBulkUpsertHostProfilePayload) (string, []any) {
2750-
valuePart := "(?, ?, ?, ?, ?, ?, ?, ?, ?, ?),"
2752+
valuePart := "(?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?),"
27512753
args := []any{p.ProfileUUID, p.ProfileIdentifier, p.ProfileName, p.HostUUID, p.Status, p.OperationType, p.Detail, p.CommandUUID,
2752-
p.Checksum, p.SecretsUpdatedAt}
2754+
p.Checksum, p.SecretsUpdatedAt, p.IgnoreError}
27532755
return valuePart, args
27542756
}
27552757

@@ -2767,14 +2769,25 @@ func (ds *Datastore) BulkUpsertMDMAppleHostProfiles(ctx context.Context, payload
27672769
}
27682770

27692771
func (ds *Datastore) UpdateOrDeleteHostMDMAppleProfile(ctx context.Context, profile *fleet.HostMDMAppleProfile) error {
2770-
if profile.OperationType == fleet.MDMOperationTypeRemove &&
2771-
profile.Status != nil &&
2772-
(*profile.Status == fleet.MDMDeliveryVerifying || *profile.Status == fleet.MDMDeliveryVerified) {
2773-
_, err := ds.writer(ctx).ExecContext(ctx, `
2772+
if profile.OperationType == fleet.MDMOperationTypeRemove && profile.Status != nil {
2773+
var ignoreError bool
2774+
if *profile.Status == fleet.MDMDeliveryFailed {
2775+
// Check whether we should ignore the error.
2776+
err := sqlx.GetContext(ctx, ds.reader(ctx), &ignoreError, `
2777+
SELECT ignore_error FROM host_mdm_apple_profiles WHERE host_uuid = ? AND command_uuid = ?`,
2778+
profile.HostUUID, profile.CommandUUID)
2779+
if err != nil {
2780+
return ctxerr.Wrap(ctx, err, "get ignore error")
2781+
}
2782+
}
2783+
if ignoreError ||
2784+
(*profile.Status == fleet.MDMDeliveryVerifying || *profile.Status == fleet.MDMDeliveryVerified) {
2785+
_, err := ds.writer(ctx).ExecContext(ctx, `
27742786
DELETE FROM host_mdm_apple_profiles
27752787
WHERE host_uuid = ? AND command_uuid = ?
27762788
`, profile.HostUUID, profile.CommandUUID)
2777-
return err
2789+
return err
2790+
}
27782791
}
27792792

27802793
detail := profile.Detail
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,26 @@
1+
package common_mysql
2+
3+
// BatchProcessSimple is a simple utility function to batch process a slice of payloads.
4+
// Provide a slice of payloads, a batch size, and a function to execute on each batch.
5+
func BatchProcessSimple[T any](
6+
payloads []T,
7+
batchSize int,
8+
executeBatch func(payloadsInThisBatch []T) error,
9+
) error {
10+
if len(payloads) == 0 || batchSize <= 0 || executeBatch == nil {
11+
return nil
12+
}
13+
14+
for i := 0; i < len(payloads); i += batchSize {
15+
start := i
16+
end := i + batchSize
17+
if end > len(payloads) {
18+
end = len(payloads)
19+
}
20+
if err := executeBatch(payloads[start:end]); err != nil {
21+
return err
22+
}
23+
}
24+
25+
return nil
26+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,52 @@
1+
package common_mysql
2+
3+
import (
4+
"testing"
5+
6+
"github.com/stretchr/testify/assert"
7+
)
8+
9+
func TestBatchProcessSimple(t *testing.T) {
10+
payloads := []int{1, 2, 3, 4, 5}
11+
executeBatch := func(payloadsInThisBatch []int) error {
12+
t.Fatal("executeBatch should not be called")
13+
return nil
14+
}
15+
16+
// No payloads
17+
err := BatchProcessSimple(nil, 10, executeBatch)
18+
assert.NoError(t, err)
19+
20+
// No batch size
21+
err = BatchProcessSimple(payloads, 0, executeBatch)
22+
assert.NoError(t, err)
23+
24+
// No executeBatch
25+
err = BatchProcessSimple(payloads, 10, nil)
26+
assert.NoError(t, err)
27+
28+
// Large batch size -- all payloads executed in one batch
29+
executeBatch = func(payloadsInThisBatch []int) error {
30+
assert.Equal(t, payloads, payloadsInThisBatch)
31+
return nil
32+
}
33+
err = BatchProcessSimple(payloads, 10, executeBatch)
34+
assert.NoError(t, err)
35+
36+
// Small batch size
37+
numCalls := 0
38+
executeBatch = func(payloadsInThisBatch []int) error {
39+
numCalls++
40+
switch numCalls {
41+
case 1:
42+
assert.Equal(t, []int{1, 2, 3}, payloadsInThisBatch)
43+
case 2:
44+
assert.Equal(t, []int{4, 5}, payloadsInThisBatch)
45+
default:
46+
t.Errorf("Unexpected number of calls to executeBatch: %d", numCalls)
47+
}
48+
return nil
49+
}
50+
err = BatchProcessSimple(payloads, 3, executeBatch)
51+
assert.NoError(t, err)
52+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
package tables
2+
3+
import (
4+
"database/sql"
5+
"fmt"
6+
)
7+
8+
func init() {
9+
MigrationClient.AddMigration(Up_20250102121439, Down_20250102121439)
10+
}
11+
12+
func Up_20250102121439(tx *sql.Tx) error {
13+
_, err := tx.Exec(`ALTER TABLE host_mdm_apple_profiles
14+
ADD COLUMN ignore_error TINYINT(1) NOT NULL DEFAULT 0`)
15+
if err != nil {
16+
return fmt.Errorf("failed to add ignore_error to host_mdm_apple_profiles table: %w", err)
17+
}
18+
return nil
19+
}
20+
21+
func Down_20250102121439(_ *sql.Tx) error {
22+
return nil
23+
}

server/datastore/mysql/schema.sql

+3-2
Large diffs are not rendered by default.

server/fleet/apple_mdm.go

+14
Original file line numberDiff line numberDiff line change
@@ -326,14 +326,27 @@ type MDMAppleProfilePayload struct {
326326
OperationType MDMOperationType `db:"operation_type"`
327327
Detail string `db:"detail"`
328328
CommandUUID string `db:"command_uuid"`
329+
IgnoreError bool `db:"ignore_error"`
329330
}
330331

331332
// DidNotInstallOnHost indicates whether this profile was not installed on the host (and
332333
// therefore is not, as far as Fleet knows, currently on the host).
334+
// The profile in Pending status could be on the host, but Fleet has not received an Acknowledged status yet.
333335
func (p *MDMAppleProfilePayload) DidNotInstallOnHost() bool {
334336
return p.Status != nil && (*p.Status == MDMDeliveryFailed || *p.Status == MDMDeliveryPending) && p.OperationType == MDMOperationTypeInstall
335337
}
336338

339+
// FailedInstallOnHost indicates whether this profile failed to install on the host.
340+
func (p *MDMAppleProfilePayload) FailedInstallOnHost() bool {
341+
return p.Status != nil && *p.Status == MDMDeliveryFailed && p.OperationType == MDMOperationTypeInstall
342+
}
343+
344+
// PendingInstallOnHost indicates whether this profile is pending to install on the host.
345+
// The profile in Pending status could be on the host, but Fleet has not received an Acknowledged status yet.
346+
func (p *MDMAppleProfilePayload) PendingInstallOnHost() bool {
347+
return p.Status != nil && *p.Status == MDMDeliveryPending && p.OperationType == MDMOperationTypeInstall
348+
}
349+
337350
type MDMAppleBulkUpsertHostProfilePayload struct {
338351
ProfileUUID string
339352
ProfileIdentifier string
@@ -345,6 +358,7 @@ type MDMAppleBulkUpsertHostProfilePayload struct {
345358
Detail string
346359
Checksum []byte
347360
SecretsUpdatedAt *time.Time
361+
IgnoreError bool
348362
}
349363

350364
// MDMAppleFileVaultSummary reports the number of macOS hosts being managed with Apples disk

server/mdm/apple/commander.go

+5
Original file line numberDiff line numberDiff line change
@@ -425,6 +425,11 @@ func (svc *MDMAppleCommander) SendNotifications(ctx context.Context, hostUUIDs [
425425
return nil
426426
}
427427

428+
// BulkDeleteHostUserCommandsWithoutResults calls the storage method with the same name.
429+
func (svc *MDMAppleCommander) BulkDeleteHostUserCommandsWithoutResults(ctx context.Context, commandToIDs map[string][]string) error {
430+
return svc.storage.BulkDeleteHostUserCommandsWithoutResults(ctx, commandToIDs)
431+
}
432+
428433
// APNSDeliveryError records an error and the associated host UUIDs in which it
429434
// occurred.
430435
type APNSDeliveryError struct {

server/mdm/nanomdm/storage/allmulti/allmulti.go

+7
Original file line numberDiff line numberDiff line change
@@ -104,3 +104,10 @@ func (ms *MultiAllStorage) ExpandEmbeddedSecrets(ctx context.Context, document s
104104
})
105105
return doc.(string), err
106106
}
107+
108+
func (ms *MultiAllStorage) BulkDeleteHostUserCommandsWithoutResults(ctx context.Context, commandToIDs map[string][]string) error {
109+
_, err := ms.execStores(ctx, func(s storage.AllStorage) (interface{}, error) {
110+
return nil, s.BulkDeleteHostUserCommandsWithoutResults(ctx, commandToIDs)
111+
})
112+
return err
113+
}

server/mdm/nanomdm/storage/file/file.go

+5
Original file line numberDiff line numberDiff line change
@@ -245,3 +245,8 @@ func (s *FileStorage) ExpandEmbeddedSecrets(_ context.Context, document string)
245245
// NOT IMPLEMENTED
246246
return document, nil
247247
}
248+
249+
func (s *FileStorage) BulkDeleteHostUserCommandsWithoutResults(_ context.Context, _ map[string][]string) error {
250+
// NOT IMPLEMENTED
251+
return nil
252+
}

server/mdm/nanomdm/storage/mysql/queue.go

+52
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@ import (
77
"fmt"
88
"strings"
99

10+
"github.com/fleetdm/fleet/v4/server/contexts/ctxerr"
1011
"github.com/fleetdm/fleet/v4/server/datastore/mysql/common_mysql"
1112
"github.com/fleetdm/fleet/v4/server/mdm/nanomdm/mdm"
1213
"github.com/google/uuid"
@@ -260,3 +261,54 @@ WHERE
260261
)
261262
return err
262263
}
264+
265+
// BulkDeleteHostUserCommandsWithoutResults deletes all commands without results for the given host/user IDs.
266+
// This is used to clean up the queue when a profile is deleted from Fleet.
267+
func (m *MySQLStorage) BulkDeleteHostUserCommandsWithoutResults(ctx context.Context, commandToIDs map[string][]string) error {
268+
if len(commandToIDs) == 0 {
269+
return nil
270+
}
271+
return common_mysql.WithRetryTxx(ctx, sqlx.NewDb(m.db, ""), func(tx sqlx.ExtContext) error {
272+
return m.bulkDeleteHostUserCommandsWithoutResults(ctx, tx, commandToIDs)
273+
}, loggerWrapper{m.logger})
274+
}
275+
276+
func (m *MySQLStorage) bulkDeleteHostUserCommandsWithoutResults(ctx context.Context, tx sqlx.ExtContext,
277+
commandToIDs map[string][]string) error {
278+
stmt := `
279+
DELETE
280+
eq
281+
FROM
282+
nano_enrollment_queue AS eq
283+
LEFT JOIN nano_command_results AS cr
284+
ON cr.command_uuid = eq.command_uuid AND cr.id = eq.id
285+
WHERE
286+
cr.command_uuid IS NULL AND eq.command_uuid = ? AND eq.id IN (?);`
287+
288+
// We process each commandUUID one at a time, in batches of hostUserIDs.
289+
// This is because the number of hostUserIDs can be large, and number of unique commands is normally small.
290+
// If we have a use case where each host has a unique command, we can create a separate method for that use case.
291+
for commandUUID, hostUserIDs := range commandToIDs {
292+
if len(hostUserIDs) == 0 {
293+
continue
294+
}
295+
296+
batchSize := 10000
297+
err := common_mysql.BatchProcessSimple(hostUserIDs, batchSize, func(hostUserIDsToProcess []string) error {
298+
expanded, args, err := sqlx.In(stmt, commandUUID, hostUserIDsToProcess)
299+
if err != nil {
300+
return ctxerr.Wrap(ctx, err, "expanding bulk delete nano commands")
301+
}
302+
_, err = tx.ExecContext(ctx, expanded, args...)
303+
if err != nil {
304+
return ctxerr.Wrap(ctx, err, "bulk delete nano commands")
305+
}
306+
return nil
307+
})
308+
if err != nil {
309+
return err
310+
}
311+
}
312+
313+
return nil
314+
}

server/mdm/nanomdm/storage/storage.go

+2
Original file line numberDiff line numberDiff line change
@@ -27,6 +27,8 @@ type CommandAndReportResultsStore interface {
2727
StoreCommandReport(r *mdm.Request, report *mdm.CommandResults) error
2828
RetrieveNextCommand(r *mdm.Request, skipNotNow bool) (*mdm.CommandWithSubtype, error)
2929
ClearQueue(r *mdm.Request) error
30+
// BulkDeleteHostUserCommandsWithoutResults deletes all commands without results for the given host/user IDs.
31+
BulkDeleteHostUserCommandsWithoutResults(ctx context.Context, commandToId map[string][]string) error
3032
}
3133

3234
type BootstrapTokenStore interface {

server/mock/mdm/datastore_mdm_mock.go

+12
Original file line numberDiff line numberDiff line change
@@ -29,6 +29,8 @@ type RetrieveNextCommandFunc func(r *mdm.Request, skipNotNow bool) (*mdm.Command
2929

3030
type ClearQueueFunc func(r *mdm.Request) error
3131

32+
type BulkDeleteHostUserCommandsWithoutResultsFunc func(ctx context.Context, commandToId map[string][]string) error
33+
3234
type StoreBootstrapTokenFunc func(r *mdm.Request, msg *mdm.SetBootstrapToken) error
3335

3436
type RetrieveBootstrapTokenFunc func(r *mdm.Request, msg *mdm.GetBootstrapToken) (*mdm.BootstrapToken, error)
@@ -89,6 +91,9 @@ type MDMAppleStore struct {
8991
ClearQueueFunc ClearQueueFunc
9092
ClearQueueFuncInvoked bool
9193

94+
BulkDeleteHostUserCommandsWithoutResultsFunc BulkDeleteHostUserCommandsWithoutResultsFunc
95+
BulkDeleteHostUserCommandsWithoutResultsFuncInvoked bool
96+
9297
StoreBootstrapTokenFunc StoreBootstrapTokenFunc
9398
StoreBootstrapTokenFuncInvoked bool
9499

@@ -198,6 +203,13 @@ func (fs *MDMAppleStore) ClearQueue(r *mdm.Request) error {
198203
return fs.ClearQueueFunc(r)
199204
}
200205

206+
func (fs *MDMAppleStore) BulkDeleteHostUserCommandsWithoutResults(ctx context.Context, commandToId map[string][]string) error {
207+
fs.mu.Lock()
208+
fs.BulkDeleteHostUserCommandsWithoutResultsFuncInvoked = true
209+
fs.mu.Unlock()
210+
return fs.BulkDeleteHostUserCommandsWithoutResultsFunc(ctx, commandToId)
211+
}
212+
201213
func (fs *MDMAppleStore) StoreBootstrapToken(r *mdm.Request, msg *mdm.SetBootstrapToken) error {
202214
fs.mu.Lock()
203215
fs.StoreBootstrapTokenFuncInvoked = true

server/service/apple_mdm.go

+22-3
Original file line numberDiff line numberDiff line change
@@ -3464,17 +3464,25 @@ func ReconcileAppleProfiles(
34643464
}
34653465

34663466
for _, p := range toRemove {
3467+
// Exclude profiles that are also marked for installation.
34673468
if _, ok := profileIntersection.GetMatchingProfileInDesiredState(p); ok {
34683469
hostProfilesToCleanup = append(hostProfilesToCleanup, p)
34693470
continue
34703471
}
34713472

3472-
if p.DidNotInstallOnHost() {
3473-
// then we shouldn't send an additional remove command since it wasn't installed on the
3474-
// host.
3473+
if p.FailedInstallOnHost() {
3474+
// then we shouldn't send an additional remove command since it failed to install on the host.
34753475
hostProfilesToCleanup = append(hostProfilesToCleanup, p)
34763476
continue
34773477
}
3478+
if p.PendingInstallOnHost() {
3479+
// The profile most likely did not install on host. However, it is possible that the profile
3480+
// is currently being installed. So, we clean up the profile from the database, but also send
3481+
// a remove command to the host.
3482+
hostProfilesToCleanup = append(hostProfilesToCleanup, p)
3483+
// IgnoreError is set since the removal command is likely to fail.
3484+
p.IgnoreError = true
3485+
}
34783486

34793487
target := removeTargets[p.ProfileUUID]
34803488
if target == nil {
@@ -3496,6 +3504,7 @@ func ReconcileAppleProfiles(
34963504
ProfileName: p.ProfileName,
34973505
Checksum: p.Checksum,
34983506
SecretsUpdatedAt: p.SecretsUpdatedAt,
3507+
IgnoreError: p.IgnoreError,
34993508
})
35003509
}
35013510

@@ -3504,6 +3513,16 @@ func ReconcileAppleProfiles(
35043513
// `InstallProfile` for the same identifier, which can cause race
35053514
// conditions. It's better to "update" the profile by sending a single
35063515
// `InstallProfile` command.
3516+
//
3517+
// Create a map of command UUIDs to host IDs
3518+
commandUUIDToHostIDsCleanupMap := make(map[string][]string)
3519+
for _, hp := range hostProfilesToCleanup {
3520+
commandUUIDToHostIDsCleanupMap[hp.CommandUUID] = append(commandUUIDToHostIDsCleanupMap[hp.CommandUUID], hp.HostUUID)
3521+
}
3522+
// We need to delete commands from the nano queue so they don't get sent to device.
3523+
if err := commander.BulkDeleteHostUserCommandsWithoutResults(ctx, commandUUIDToHostIDsCleanupMap); err != nil {
3524+
return ctxerr.Wrap(ctx, err, "deleting nano commands without results")
3525+
}
35073526
if err := ds.BulkDeleteMDMAppleHostsConfigProfiles(ctx, hostProfilesToCleanup); err != nil {
35083527
return ctxerr.Wrap(ctx, err, "deleting profiles that didn't change")
35093528
}

0 commit comments

Comments
 (0)