1 votos

¿En un servicio, cómo obtener una URL de texto enriquecido?

Estoy interesado en la fabricación de un servicio (usando Automator si es posible) que me permite realizar una acción en una dirección URL.

Si la URL existe como texto sin formato, esto funciona muy bien.

Sin embargo, si el ENLACE es un enlace en texto enriquecido, entonces mi servicio obtiene título del enlace, algo que es URL.

¿Cómo puedo obtener la dirección URL cuando la activación de un servicio en un enlace de texto enriquecido?

2voto

johnsidi Puntos 11

Puede hacerlo utilizando la aplicación TextSoap. Los productos de limpieza "Para extraer URLs por sustitución" y "Extracto de URLs por adición de" trabajan con formato de texto enriquecido.

También puede utilizar el siguiente AppleScript:

tell application "textsoap7"
    cleanClipboard with "Extract URLs by Replacing"
end tell

0voto

Brian Puntos 101

Yo tenía el mismo problema cuando yo quería ser capaz de lanzar algunos enlaces en mi no-navegador por defecto, y las soluciones como LinCastor no estaban trabajando para mí. Aquí es lo que yo hice (después de un montón de Googlear y horas de funcionamiento contra las paredes de ladrillo):

Crear El Servicio

He creado un Service en Automator que recibe rich text en any application. A continuación, he creado una serie de acciones ( Run AppleScript) para transformar los datos seleccionados, poco a poco, a la URL deseada. Las siguientes secciones ilustran los pasos.

Para ser más específicos, estos son todos los pasos dentro de un único flujo de trabajo, y todos están en el orden en que aparecen aquí (cada paso consume el resultado de las paso antes).

Edit: Para la gente que sabe como utilizar este servicio, usted puede hacer clic en cualquier enlace en cualquier aplicación (yo estaba usando los enlaces en el Correo que fueron de texto enriquecido, lo que significa el texto que se muestra no era la URL), y buscar los Servicios de sub-menú en el menú emergente. Elegir su servicio de esa lista, et voila!

Obtener los Datos

on run {input}
    -- Save off the old clipboard data and capture the current selection in its entirety
    set oldClipboard to the clipboard as record
    tell application "System Events" to keystroke "c" using command down

    set plistData to ""
    set retries to 50

    -- Try to get the pList data from the clipboard (may take a little while to appear)
    repeat while plistData = ""
        set clipboardRecord to the clipboard as record

        try
            set plistData to «class weba» of clipboardRecord

            -- In case you want to use RTF instead...
            --set clipRTF to «class RTF » of clipboardRecord
        on error msg
            set retries to retries - 1

            -- If we're out of retries then bail
            if retries < 0 then
                set the clipboard to oldClipboard
                display dialog ("Failed to get the web data: " & msg) buttons {"OK"} default button 1
                error number -1
            end if

            -- ...else ignore the error and retry after a small delay
            delay 0.1
        end try
    end repeat

    -- Restore the old clipboard data
    set the clipboard to oldClipboard

    -- Set up our intermediate plist file
    set plistFileName to (path to temporary items as text) & "safarilink.plist"
    set plistFRef to (open for access file plistFileName with write permission)

    try
        set eof plistFRef to 0
        write plistData to plistFRef

        close access plistFRef
        --display dialog plistFileName
    on error msg
        display dialog ("PList write error: " & msg) buttons {"OK"} default button 1
        close access plistFRef
        error number -1
    end try

    -- Pass the pList file name to the next step
    return plistFileName
end run

Extraer el Enlace HTML

on run {input, parameters}
    set plistFileName to (input as text)

    -- Set up our intermediate HTML link file
    set linkHtmlFileName to (path to temporary items as text) & "safarilink.html"
    set linkHtmlFRef to (open for access file linkHtmlFileName with write permission)

    try
        tell application "System Events"
            set plist to property list file plistFileName
            set entry to contents of plist

            --display dialog "Name: " & (name of entry)
            --display dialog "Kind: " & (kind of entry)
            --display dialog "Text: " & (text of entry)
            set valueRec to (value of entry as record)
            set webMainResource to webMainResource of valueRec
            set webResourceData to webResourceData of webMainResource
            --display dialog "Resourced"

            set eof linkHtmlFRef to 0
            write webResourceData to linkHtmlFRef

            close access linkHtmlFRef
        end tell
    on error msg
        display dialog ("Link HTML generation error: " & msg) buttons {"OK"} default button 1
        close access linkHtmlFRef
        error number -1
    end try

    -- Pass the HTML link file name to the next step
    return linkHtmlFileName
end run

Carga el HTML y el Extracto de la URL

on run {input, parameters}
    set linkHtmlFileName to (input as text)

    --set fileSize to 0 
    --tell application "Finder" to set fileSize to size of file linkHtmlFileName

    try
        set htmlContentParts to read file linkHtmlFileName using delimiter "="
    on error msg
        display dialog ("Link HTML load error: " & msg) buttons {"OK"} default button 1
        close access htmlFRef
        error number -1
    end try

    set hrefIndex to -1

    repeat with index from 1 to count of htmlContentParts
        if item index of htmlContentParts ends with "href" then
            set hrefIndex to index
        end if
    end repeat

    if hrefIndex = -1 then
        display dialog "Selection does not contain a link!" buttons {"OK"} default button 1
        error number -1
    end if

    set linkPart to item (hrefIndex + 1) of htmlContentParts
    set splitParts to split(linkPart, "\"")

    return item 2 of splitParts  --index is base-1
end run

on split(theString, theDelimiter)
    -- Save delimiters to restore old settings
    set oldDelimiters to AppleScript's text item delimiters

    -- Set delimiters to delimiter to be used
    set AppleScript's text item delimiters to theDelimiter

    -- Create the array
    set theArray to every text item of theString

    -- Restore the old setting
    set AppleScript's text item delimiters to oldDelimiters

    -- Return the result
    return theArray
end split

En este punto, usted tiene su dirección URL (asegúrese de convertir explícitamente al texto, para que no terminan con la misteriosa AppleScript errores. A partir de aquí, la he usado para cargar automáticamente el enlace en Safari.

El uso de la dirección URL

on run {input, parameters}
    set linkURL to (input as text)

    try
        tell application "Safari"
            if not (exists first window) then
                make new window
                set URL of last tab of first window to linkURL
                set visible of first window to true
            else
                tell first window
                    set newTab to make new tab with properties {URL:linkURL}

                    set visible to true
                    set current tab to newTab
                end tell
            end if

            activate
        end tell
    on error msg
        display dialog ("Failed to load URL (" & linkURL & ") in Safari: " & msg) buttons {"OK"} default button 1
        error number -1
    end try
end run

Disfruten, y espero que esto ayude!

AppleAyuda.com

AppleAyuda es una comunidad de usuarios de los productos de Apple en la que puedes resolver tus problemas y dudas.
Puedes consultar las preguntas de otros usuarios, hacer tus propias preguntas o resolver las de los demás.

Powered by:

X