En primer lugar, no está claro en su descripción de lo que ha hecho, pero necesita una PlaylistSongs
tabla que contenga a PlaylistId
y a SongId
, que describa qué canciones pertenecen a qué listas de reproducción.
Es en esta tabla donde debe agregar la información de pedido.
Mi mecanismo favorito es con números reales. Lo implementé recientemente y funcionó de maravilla. Cuando desee mover una canción a una posición específica, calcule su nuevo Ordering
valor como el promedio de los Ordering
valores de la canción anterior y la siguiente. Si usa un número real de 64 bits, se quedará sin precisión aproximadamente al mismo tiempo que el infierno se congelará, pero si realmente está escribiendo su software para la posteridad, considere reasignar Ordering
valores enteros redondeados a todas las canciones de cada canción. lista de reproducción de vez en cuando.
Como una ventaja adicional, aquí está el código que he escrito que implementa esto. Por supuesto, no puede usarlo como está, y sería demasiado trabajo para mí en este momento desinfectarlo para usted, por lo que solo lo estoy publicando para que obtenga ideas de él.
La clase es ParameterTemplate
(¡lo que sea, no pregunte!) El método obtiene la lista de plantillas de parámetros a las que pertenece esta plantilla de su padre ActivityTemplate
. (¡Lo que sea, no preguntes!) El código contiene algo de protección contra la falta de precisión. El divisor se usa para las pruebas: la prueba de la unidad usa un divisor grande para quedarse sin precisión rápidamente, y así activar el código de protección de precisión. El segundo método es público y "solo para uso interno; no invocar" para que el código de prueba pueda invocarlo. (No podría ser un paquete privado porque mi código de prueba no está en el mismo paquete que el código que prueba). El campo que controla el pedido se llama Ordering
, se accede a través de getOrdering()
y setOrdering()
. No ve ningún SQL porque estoy usando el mapeo relacional de objetos a través de Hibernate.
/**
* Moves this {@link ParameterTemplate} to the given index in the list of {@link ParameterTemplate}s of the parent {@link ActivityTemplate}.
*
* The index must be greater than or equal to zero, and less than or equal to the number of entries in the list. Specifying an index of zero will move this item to the top of
* the list. Specifying an index which is equal to the number of entries will move this item to the end of the list. Any other index will move this item to the position
* specified, also moving other items in the list as necessary. The given index cannot be equal to the current index of the item, nor can it be equal to the current index plus
* one. If the given index is below the current index of the item, then the item will be moved so that its new index will be equal to the given index. If the given index is
* above the current index, then the new index of the item will be the given index minus one.
*
* NOTE: this method flushes the persistor and refreshes the parent node so as to guarantee that the changes will be immediately visible in the list of {@link
* ParameterTemplate}s of the parent {@link ActivityTemplate}.
*
* @param toIndex the desired new index of this {@link ParameterTemplate} in the list of {@link ParameterTemplate}s of the parent {@link ActivityTemplate}.
*/
public void moveAt( int toIndex )
{
moveAt( toIndex, 2.0 );
}
/**
* For internal use only; do not invoke.
*/
public boolean moveAt( int toIndex, double divisor )
{
MutableList<ParameterTemplate<?>> parameterTemplates = getLogicDomain().getMutableCollections().newArrayList();
parameterTemplates.addAll( getParentActivityTemplate().getParameterTemplates() );
assert parameterTemplates.getLength() >= 1; //guaranteed since at the very least, this parameter template must be in the list.
int fromIndex = parameterTemplates.indexOf( this );
assert 0 <= toIndex;
assert toIndex <= parameterTemplates.getLength();
assert 0 <= fromIndex;
assert fromIndex < parameterTemplates.getLength();
assert fromIndex != toIndex;
assert fromIndex != toIndex - 1;
double order;
if( toIndex == 0 )
{
order = parameterTemplates.fetchFirstElement().getOrdering() - 1.0;
}
else if( toIndex == parameterTemplates.getLength() )
{
order = parameterTemplates.fetchLastElement().getOrdering() + 1.0;
}
else
{
double prevOrder = parameterTemplates.get( toIndex - 1 ).getOrdering();
parameterTemplates.moveAt( fromIndex, toIndex );
double nextOrder = parameterTemplates.get( toIndex + (toIndex > fromIndex ? 0 : 1) ).getOrdering();
assert prevOrder <= nextOrder;
order = (prevOrder + nextOrder) / divisor;
if( order <= prevOrder || order >= nextOrder ) //if the accuracy of the double has been exceeded
{
parameterTemplates.clear();
parameterTemplates.addAll( getParentActivityTemplate().getParameterTemplates() );
for( int i = 0; i < parameterTemplates.getLength(); i++ )
parameterTemplates.get( i ).setOrdering( i * 1.0 );
rocs3dDomain.getPersistor().flush();
rocs3dDomain.getPersistor().refresh( getParentActivityTemplate() );
moveAt( toIndex );
return true;
}
}
setOrdering( order );
rocs3dDomain.getPersistor().flush();
rocs3dDomain.getPersistor().refresh( getParentActivityTemplate() );
assert getParentActivityTemplate().getParameterTemplates().indexOf( this ) == (toIndex > fromIndex ? toIndex - 1 : toIndex);
return false;
}
update songorder set order = order - 1 where order >= 12 & order <= 42; update songorder set order = 42 where id = 123;
Son dos actualizaciones, no treinta. Tres si quieres poner una restricción única en orden.Queries like 'find the Xth Song in the list' are no longer constant-time
también es cierto para la opción 2.