web-dev-qa-db-ja.com

完成した画像アップロードフィルタへのフック

私は画像の輝度を決定し、その画像のpostmetaにそれを格納するために小さな関数を実行しようとしています..

私は機能していますが、画像のアップロードが完了したときに起動するようにします。誰もがこのために接続すべき機能/フィルター/アクションを知っていますか?

見た

  • image_attachment_fields_to_save
  • attachment_fields_to_save
  • wp_handle_upload
  • media_upload_form_handler
  • wp_generate_attachment_metadata

そして私はそれらのどれもが単に画像のpostmetaテーブルへの追加を実行するようにすることはできないようです

現在私のコードは次のようになります。

function insert_luminance_data($post, $attachment) {
    if ( substr($post['post_mime_type'], 0, 5) == 'image' ) {
        $lum = 'TEST';
        add_post_meta( $post['ID'], 'image_lum', $lum, true ) || update_post_meta( $post['ID'], 'image_lum', $lum );
    }
    return $post;
}

add_filter('image_attachment_fields_to_save', 'insert_luminance_data', 10, 2);

しかしこれはうまくいきません。

何かご協力ありがとうございます


_ solution _ s_ha_dumに感謝します

function get_avg_luminance($filename, $num_samples=10) {
    $img = imagecreatefromjpeg($filename);

    $width = imagesx($img);
    $height = imagesy($img);

    $x_step = intval($width/$num_samples);
    $y_step = intval($height/$num_samples);

    $total_lum = 0;

    $sample_no = 1;

    for ($x=0; $x<$width; $x+=$x_step) {
        for ($y=0; $y<$height; $y+=$y_step) {

            $rgb = imagecolorat($img, $x, $y);
            $r = ($rgb >> 16) & 0xFF;
            $g = ($rgb >> 8) & 0xFF;
            $b = $rgb & 0xFF;

            // choose a simple luminance formula from here
            // http://stackoverflow.com/questions/596216/formula-to-determine-brightness-of-rgb-color
            $lum = ($r+$r+$b+$g+$g+$g)/6;

            $total_lum += $lum;

            $sample_no++;
        }
    }

    // work out the average
    $avg_lum  = $total_lum/$sample_no;
    return $avg_lum;
    // assume a medium gray is the threshold, #acacac or RGB(172, 172, 172)
    // this equates to a luminance of 170
}

function insert_luminance_data($post_ID) {
    $src = wp_get_attachment_image_src( $post_ID, 'large' )[0];
    $lum = get_avg_luminance($src, 10, true);
    add_post_meta( $post_ID, 'image_lum', $lum, true ) || update_post_meta( $post_ID, 'image_lum', $lum );
    return $post_ID;
}

add_filter('add_attachment', 'insert_luminance_data', 10, 2);

これは、画像の輝度を表す0〜255の数値を作成します。これは、背景画像の上にテキストを重ねるときに、画像の明るさがほとんどか暗いかを知りたい場合に特に役立ちます。

4
haxxxton

WordPressのメディア処理は、散在して矛盾しているとして私を襲います。私はこれがすべての場合にうまくいくと約束することができないと言うことだけを言うと言います。しかし、私は add_attachmentからのwp_insert_attachmentフック を使うと思います。

あなたは投稿IDを取得しますので、あなたはする必要があります...

  1. wp_get_attachment_imge_src で画像srcを取得します。おそらく、
  2. 画像そのものを取得して処理します(どのようにして処理するのかわからない)。
  3. 追加データを保存します。
4
s_ha_dum