Ordem de alteração de colunas personalizadas para painéis de edição

27

Quando você registra uma coluna personalizada da seguinte maneira:

//Register thumbnail column for au-gallery type
add_filter('manage_edit-au-gallery_columns', 'thumbnail_column');
function thumbnail_column($columns) {
$columns['thumbnail'] = 'Thumbnail';
return $columns;
}

por padrão, ele aparece como o último à direita. Como posso alterar a ordem? E se eu quiser mostrar a coluna acima como a primeira ou a segunda?

Agradeço antecipadamente

Mirko
fonte

Respostas:

36

Você está basicamente fazendo uma pergunta sobre PHP, mas eu responderei porque está no contexto do WordPress. Você precisa recriar a matriz de colunas, inserindo sua coluna antes da coluna da qual deseja que fique :

add_filter('manage_posts_columns', 'thumbnail_column');
function thumbnail_column($columns) {
  $new = array();
  foreach($columns as $key => $title) {
    if ($key=='author') // Put the Thumbnail column before the Author column
      $new['thumbnail'] = 'Thumbnail';
    $new[$key] = $title;
  }
  return $new;
}
MikeSchinkel
fonte
sim, eu acho que seria e mais fácil :), mas eu entendi a idéia na minha resposta. Pensamento agradável.
Bainternet
בניית אתרים - Eu estava quase terminando de escrever minha resposta quando você respondeu a sua, então nossas respostas "cruzaram pelo correio" , por assim dizer. Enfim, demorei um pouco para descobrir isso; certamente não me ocorreu da primeira vez que precisei.
MikeSchinkel
Uma coisa a observar: o que acontece se outro plug-in remover a coluna do autor? Sua própria coluna de miniaturas também desapareceria. Você poderia fazer uma isset($new['thumbnail'])verificação antes de retornar $new. Se não estiver definido, basta anexá-lo ao final, por exemplo.
Geert
5

Se você possui plug-ins como o WPML, que adicionam colunas automaticamente, mesmo para tipos de postagem personalizados, você pode ter um código complicado no cabeçalho da tabela.

Você não deseja copiar o código para sua definição de coluna. Por que alguém iria, para esse assunto.

Queremos apenas estender as colunas padrão já fornecidas, bem formatadas e classificáveis.

De fato, são apenas sete linhas de código e mantém todas as outras colunas intactas.

# hook into manage_edit-<mycustomposttype>_columns
add_filter( 'manage_edit-mycustomposttype_columns', 'mycustomposttype_columns_definition' ) ;

# column definition. $columns is the original array from the admin interface for this posttype.
function mycustomposttype_columns_definition( $columns ) {

  # add your column key to the existing columns.
  $columns['mycolumn'] = __( 'Something different' ); 

  # now define a new order. you need to look up the column 
  # names in the HTML of the admin interface HTML of the table header. 
  #   "cb" is the "select all" checkbox.
  #   "title" is the title column.
  #   "date" is the date column.
  #   "icl_translations" comes from a plugin (in this case, WPML).
  # change the order of the names to change the order of the columns.
  $customOrder = array('cb', 'title', 'icl_translations', 'mycolumn', 'date');

  # return a new column array to wordpress.
  # order is the exactly like you set in $customOrder.
  foreach ($customOrder as $colname)
    $new[$colname] = $columns[$colname];    
  return $new;
}

espero que isto ajude..

user2390733
fonte
3

a única maneira de saber como criar sua própria matriz de colunas

// Add to admin_init function
add_filter('manage_edit-au-gallery_columns', 'add_my_gallery_columns');

function add_my_gallery_columns($gallery_columns) {
        $new_columns['cb'] = '<input type="checkbox" />';

        $new_columns['id'] = __('ID');
        $new_columns['title'] = _x('Gallery Name', 'column name');
                // your new column somewhere good in the middle
        $new_columns['thumbnail'] = __('Thumbnail');

        $new_columns['categories'] = __('Categories');
        $new_columns['tags'] = __('Tags');
        $new_columns['date'] = _x('Date', 'column name');

        return $new_columns;
    }

e, em seguida, renderize essas colunas adicionadas como normalmente faria

// Add to admin_init function
    add_action('manage_au-gallery_posts_custom_column', 'manage_gallery_columns', 10, 2);

    function manage_gallery_columns($column_name, $id) {
        global $wpdb;
        switch ($column_name) {
        case 'id':
            echo $id;
                break;

        case 'Thumbnail':
            $thumbnail_id = get_post_meta( $id, '_thumbnail_id', true );
                // image from gallery
                $attachments = get_children( array('post_parent' => $post_id, 'post_type' => 'attachment', 'post_mime_type' => 'image') );
                if ($thumbnail_id)
                    $thumb = wp_get_attachment_image( $thumbnail_id, array($width, $height), true );
                elseif ($attachments) {
                    foreach ( $attachments as $attachment_id => $attachment ) {
                        $thumb = wp_get_attachment_image( $attachment_id, array($width, $height), true );
                    }
                }
                if ( isset($thumb) && $thumb ) {echo $thumb; } else {echo __('None');}
            break;
        default:
            break;
        } // end switch
}

Espero que isto ajude

Bainternet
fonte
2

Esta é uma combinação de algumas respostas SO, espero que ajude alguém!

function array_insert( $array, $index, $insert ) {
    return array_slice( $array, 0, $index, true ) + $insert +
    array_slice( $array, $index, count( $array ) - $index, true);
}

add_filter( 'manage_resource_posts_columns' , function ( $columns ) {
    return array_insert( $columns, 2, [
        'image' => 'Featured Image'
    ] );
});

Descobri que array_splice()não manterá as chaves personalizadas como precisamos. array_insert()faz.

DigitalDesignDj
fonte
11
Essa deve ser a resposta certa.
xudre 27/02