web-dev-qa-db-fra.com

wp_get_attachment_caption for extraire la légende de l'image ou alt

$output .= '
    <img 
        class="class1" 
        src="'.$atts['to'].'" 
        alt="The First Caption" 
        width="100%" 
        height="auto"
    >';

Au lieu de la première légende, je veux récupérer la légende/description de l'image.

quelqu'un peut-il me guider comment faire cela?

J'ai essayé ceci → wp_get_attachment_caption mais cela n'a pas fonctionné.

1
The WP Novice

Vous pouvez directement obtenir les métadonnées d'une pièce jointe si vous en avez l'ID. Les données alt d'une pièce jointe sont stockées dans _wp_attachment_image_alt.

Donc, vous pouvez utiliser:

$alt = get_post_meta( $attachment->ID, '_wp_attachment_image_alt', true);

Pour obtenir la légende d'une image, vous pouvez utiliser wp_get_attachment_metadata() .

$metadata = wp_get_attachment_metadata( $id );
$caption = $metadata['image_meta']['caption'];

MODIFIER

Basé sur le code dans votre commentaire, ceci est le code complet du shortcode:

function simplisto_the_image($atts) {
    $atts = shortcode_atts(
        array( 
            'to' => 'http://example.com/image.jpg' 
        ), 
        $atts
    );
    $caption = '';
    // Get the attachment's ID from its URL, if the URL is valid
    $url = filter_var( $atts['to'], FILTER_SANITIZE_URL);
    if( filter_var( $url, FILTER_VALIDATE_URL) ) {
        $attachment_id = attachment_url_to_postid( $url );
        // Get the attachment's alt, if its a valid ID
        if( $attachment_id ){
            $caption = wp_get_attachment_caption( $attachment_id );
        }
    }

    $output = '<div class="lazyimg">'; 
    $output .= '<img class="lazyimg-popup" src="'.$atts['to'].'" alt="' .$caption. '" width="100%" height="auto">'; 
    $output .= '<i class="fa fa-expand" aria-hidden="true"></i>'; 
    $output .= '</div>'; 
    return $output; 
}
add_shortcode('simage', 'simplisto_the_image');

Le shortcode acceptera une URL d'image et récupérera ses métadonnées, si elles sont valides.

1
Jack Johansson