¿Cómo cambio el fondo de la pantalla de inicio de sesión en macOS Mojave?

6

Acabo de actualizar a macOS Mojave e inmediatamente noté un par de cosas:

  • Mi fondo de pantalla de inicio de sesión personalizado se ha ido.
  • Al hacer clic en el nombre de un usuario en la pantalla de inicio de sesión, cambia a su fondo personal (su fondo de pantalla habitual para el primer espacio en el monitor principal).

Supuse que acababa de sobrescribir mi archivo de imagen en caché. Pero cuando fui a reemplazarlo, no pasó nada. ¡Resulta que com.apple.desktop.admin.png se ha ido por completo!

Justo después de tomar esa captura de pantalla, decidí meterme en Desktop Pictures y encontré el fondo de mi pantalla de inicio de sesión personal, que parece prometedor. Contiene otra carpeta, que probablemente (editar: confirmado) contiene el fondo de la pantalla de inicio de sesión de mi cuenta de administrador.

    
pregunta SilverWolf 24.09.2018 - 23:34

2 respuestas

5

Lo he arreglado! Tendrás que editar la imagen HEIC dune sin embargo. Si está dispuesto, siga estos pasos:

1) Ir a: / Biblioteca / Imágenes de escritorio /

2) Encuentre el archivo llamado "Mojave.heic"

3) Guardar una copia como copia de seguridad en otro lugar

4) Seleccione la imagen que desea tener en su lugar

5) Edite los valores de imagen (DPI, tamaño, etc.) para ajustar

6) Renombra esta imagen editada como Mojave.heic

    
respondido por el Leonard 26.09.2018 - 05:16
4

Ampliación de Respuesta de Leonard :

Puede hacer esto reemplazando el fondo de escritorio Mojave.heic predeterminado. Este no requiere deshabilitar SIP , ya que está en /Library .

  • Realice una copia de seguridad de /Library/Desktop Pictures/Mojave.heic copiándolo a Mojave.heic.orig o similar.
  • Obtenga su nueva imagen y amplíela / recórtela para exactamente ajustarla a la pantalla. Si no conoce la resolución de su pantalla, puede ir a  > Acerca de esta Mac.
  • Reemplaza Mojave.heic con tu nuevo archivo. No se preocupe si es JPG o similar, seguirá funcionando incluso después de cambiarle el nombre a Mojave.heic . *

  • Si tiene FileVault habilitado, cambie una opción de inicio de sesión en Preferencias del sistema. Por ejemplo, si mostrar una lista de usuarios o los campos de nombre y contraseña. Solo tienes que volver a cambiarlo si realmente no quieres que se cambie.

    Esto se debe a que cuando inicia con FileVault, en la pantalla de inicio de sesión , su sistema realmente no se ha iniciado hasta el momento . En realidad, está ejecutando un pequeño sistema en su partición EFI, ya que su partición principal está encriptada. Cambiar una opción de inicio de sesión hará que las Preferencias del sistema cambien la configuración del sistema EFI, incluido el cambio del fondo de pantalla. Consulte esta respuesta .

  • ¡Reinicia y disfruta!

* Solo he probado esto con imágenes JPEG, pero puede funcionar para otros tipos.

Ahorro de tiempo completamente innecesario

He creado un pequeño programa Swift que hace todo esto por ti (detecta la versión del sistema operativo y funciona tanto en Mojave como en versiones anteriores). Necesitarás Xcode para compilarlo.

No debería dañar tu sistema, pero no puedo garantizarte nada, ¡asegúrate de tener copias de seguridad primero!

//
// loginwindowbgconverter
// 2018-09-27
// 
// 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/>.
//

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)
    }
}
    
respondido por el SilverWolf 28.09.2018 - 05:58

Lea otras preguntas en las etiquetas