Come cambio lo sfondo della schermata di login in macOS Mojave?

9

Ho appena aggiornato su macOS Mojave e ho notato immediatamente un paio di cose:

  • La mia schermata di login personalizzata è scomparsa.
  • Quando fai clic sul nome di un utente nella schermata di accesso, passa al loro sfondo personale (il loro solito sfondo per il primo spazio sul monitor principale).

Supponevo che avesse appena sovrascritto il mio file immagine memorizzato nella cache. Ma quando sono andato a sostituirlo, non è successo nulla. Risulta che com.apple.desktop.admin.png è andato interamente!

Subito dopo aver scattato lo screenshot, ho deciso di accedere a Desktop Pictures e ho trovato il mio sfondo di login personale, che sembra promettente. Contiene un'altra cartella, che probabilmente (modifica: confermata) contiene lo sfondo della schermata di accesso del mio account amministratore.

    
posta SilverWolf 24.09.2018 - 23:34
fonte

2 risposte

8

L'ho risolto! Dovrai comunque modificare l'immagine HEIC di dune. Se sei disposto, procedi nel seguente modo:

1) Vai a: / Libreria / Immagini del desktop /

2) Trova il file chiamato "Mojave.heic"

3) Salva una copia come backup da qualche altra parte

4) Seleziona invece l'immagine che vuoi avere

5) Modifica i valori dell'immagine (DPI, dimensioni, ecc.) per adattarli

6) Rinomina questa immagine modificata come Mojave.heic

    
risposta data 26.09.2018 - 05:16
fonte
4

Espansione della risposta di Leonard :

Puoi farlo sostituendo lo sfondo del desktop predefinito Mojave.heic . Questo non richiede la disattivazione di SIP , poiché è in /Library .

  • Esegui il backup di /Library/Desktop Pictures/Mojave.heic copiandolo su Mojave.heic.orig o simile.
  • Ottieni la tua nuova immagine e ridimensiona / ritaglia su esattamente adatta il display. Se non conosci la risoluzione dello schermo, puoi andare su  > Informazioni su questo Mac.
  • Sostituisci Mojave.heic con il tuo nuovo file. Non preoccuparti se è JPG o simile, funzionerà anche dopo averlo rinominato in Mojave.heic . *

  • Se hai FileVault attivato, modifica un'opzione di accesso in Preferenze di Sistema. Ad esempio, se mostrare un elenco di utenti o campi di nome e password. Basta cambiarlo di nuovo se non lo vuoi veramente cambiare.

    Questo perché quando esegui l'avvio con FileVault, nella schermata di accesso il tuo sistema non si è davvero avviato completamente ! In realtà è in esecuzione un piccolo sistema sulla partizione EFI, poiché la partizione principale è crittografata. La modifica di un'opzione di accesso farà in modo che le Preferenze di Sistema modifichino le impostazioni del sistema EFI, incluso il cambio dello sfondo. Vedi questa risposta .

  • Riavvia e divertiti!

* L'ho provato solo con le immagini JPEG, ma potrebbe funzionare anche per altri tipi.

Risparmio di tempo completamente non necessario

Ho creato un piccolo programma Swift che fa tutto questo per te (rileva la versione del sistema operativo e funziona sia su Mojave che sulle versioni precedenti). Avrai bisogno di Xcode per compilarlo.

Non dovrebbe rompere il tuo sistema, ma non posso garantire nulla - assicurati di avere prima i backup!

Ora è disponibile anche su GitHub . Potrebbe essere o non essere aggiornato qui in futuro.

//
// loginwindowbgconverter
// by SilverWolf
// 2018-09-27
//

import Foundation
import AppKit

func printUsage() {
    print("""
    usage: \(CommandLine.arguments[0]) \u{1B}[4mimage-file\u{1B}[0m
    It needs to be run as root, as it saves to /Library/Desktop Pictures.
    """)
}

guard CommandLine.arguments.indices.contains(1) else {
    printUsage()
    exit(1)
}
let inputFile = CommandLine.arguments[1]

guard let inputImage = NSImage(contentsOfFile: inputFile) else {
    print("\(CommandLine.arguments[0]): can't load image from \(inputFile)")
    exit(2)
}

let iw = inputImage.size.width
let ih = inputImage.size.height
let iaspect = Double(iw) / Double(ih)

// use System Profiler to get screen size

var sw = 0, sh = 0

enum ScreenSizeError: Error {
    case foundNil
}
do {
    let task = Process()
    if #available(macOS 10.13, *) {
        task.executableURL = URL(fileURLWithPath: "/bin/zsh")
    } else {
        task.launchPath = "/bin/zsh"
    }
    task.arguments = ["-f", "-c", "system_profiler SPDisplaysDataType | awk '/Resolution/{print $2, $4}' | head -n 1"]

    let stdoutPipe = Pipe()
    task.standardOutput = stdoutPipe

    if #available(macOS 10.13, *) {
        try task.run()
    } else {
        task.launch()
    }
    task.waitUntilExit()

    let data = stdoutPipe.fileHandleForReading.readDataToEndOfFile()
    guard let text = String(data: data, encoding: .utf8) else {
        throw ScreenSizeError.foundNil
    }
    let sizes = (text as NSString).replacingOccurrences(of: "\n", with: "").components(separatedBy: " ")
    sw = Int(sizes[0]) ?? 0
    sh = Int(sizes[1]) ?? 0
    guard sw != 0 && sh != 0 else {
        throw ScreenSizeError.foundNil
    }
} catch {
    print("\(CommandLine.arguments[0]): can't get screen resolution")
    exit(3)
}

print("Screen size: \(sw)x\(sh)")

var nw = 0, nh = 0
var x = 0, y = 0 // offsets

let saspect = Double(sw) / Double(sh)
if saspect > iaspect { // screen is wider
    nw = sw
    nh = Int(Double(sw) / iaspect) // keep input image aspect ratio
    y = -1 * (nh - sh) / 2 // half the difference
} else { // screen is narrower
    nh = sh
    nw = Int(Double(sh) * iaspect)
    x = -1 * (nw - sw) / 2
}

// draw into new image
guard let newImage = NSBitmapImageRep(bitmapDataPlanes: nil,
                                pixelsWide: Int(sw),
                                pixelsHigh: Int(sh),
                                bitsPerSample: 8,
                                samplesPerPixel: 4,
                                hasAlpha: true,
                                isPlanar: false,
                                colorSpaceName: .deviceRGB,
                                bytesPerRow: sw * 4,
                                bitsPerPixel: 32) else {
    print("\(CommandLine.arguments[0]): can't create bitmap image to draw into!")
    exit(2)
}

NSGraphicsContext.saveGraphicsState()
let graphicsContext = NSGraphicsContext(bitmapImageRep: newImage)
NSGraphicsContext.current = graphicsContext
graphicsContext?.imageInterpolation = .high
let r = NSMakeRect(CGFloat(x), CGFloat(y), CGFloat(nw), CGFloat(nh))
print("drawing rect: \(r)")
inputImage.draw(in: r)

graphicsContext?.flushGraphics()
NSGraphicsContext.restoreGraphicsState()

print("image size: \(newImage.size)")

// write to file
if #available(macOS 10.14, *) { // macOS Mojave has a completely different system
    let targetFile = "/Library/Desktop Pictures/Mojave.heic"
    let origFile =  "/Library/Desktop Pictures/Mojave.heic.orig"
    if !FileManager.default.fileExists(atPath: origFile) { // no backup of original Mojave.heic
        print("Backing up original Mojave.heic (this should only happen once)")
        do {
            try FileManager.default.copyItem(atPath: targetFile, toPath: origFile)
        } catch {
            print("\(CommandLine.arguments[0]): \u{1B}[1mbackup failed, aborting!\u{1B}[0m \(error.localizedDescription)")
            exit(1)
        }
    }

    print("Saving to \(targetFile)")
    // actual writing
    let imageData = newImage.representation(using: .jpeg, properties: [:])!
    do {
        try imageData.write(to: URL(fileURLWithPath: targetFile))
    } catch {
        print("\(CommandLine.arguments[0]): can't write image data: \(error)")
        print("(are you root?)")
        exit(1)
    }
} else {
    let targetFile = "/Library/Caches/com.apple.desktop.admin.png"
    print("Saving to \(targetFile)")
    let pngData = newImage.representation(using: .png, properties: [:])!
    do {
        try pngData.write(to: URL(fileURLWithPath: targetFile))
    } catch {
        print("\(CommandLine.arguments[0]): can't write image data: \(error)")
        print("(are you root?)")
        exit(1)
    }
}

//
// This is free and unencumbered software released into the public domain.
//
// Anyone is free to copy, modify, publish, use, compile, sell, or
// distribute this software, either in source code form or as a compiled
// binary, for any purpose, commercial or non-commercial, and by any
// means.
//
// In jurisdictions that recognize copyright laws, the author or authors
// of this software dedicate any and all copyright interest in the
// software to the public domain. We make this dedication for the benefit
// of the public at large and to the detriment of our heirs and
// successors. We intend this dedication to be an overt act of
// relinquishment in perpetuity of all present and future rights to this
// software under copyright law.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT.
// IN NO EVENT SHALL THE AUTHORS BE LIABLE FOR ANY CLAIM, DAMAGES OR
// OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE,
// ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR
// OTHER DEALINGS IN THE SOFTWARE.
//
// For more information, please refer to <https://unlicense.org/>.
//
    
risposta data 28.09.2018 - 05:58
fonte

Leggi altre domande sui tag