| 12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091 | <?php
namespace Gedmo\Sluggable;
use Tool\BaseTestCaseMongoODM;
use Doctrine\Common\EventManager;
use Sluggable\Fixture\Document\Article;
/**
 * These are tests for sluggable behavior
 *
 * @author Gediminas Morkevicius <gediminas.morkevicius@gmail.com>
 * @package Gedmo.Sluggable
 * @link http://www.gediminasm.org
 * @license MIT License (http://www.opensource.org/licenses/mit-license.php)
 */
class SluggableDocumentTest extends BaseTestCaseMongoODM
{
    const ARTICLE = 'Sluggable\\Fixture\\Document\\Article';
    protected function setUp()
    {
        parent::setUp();
        $evm = new EventManager();
        $evm->addEventSubscriber(new SluggableListener);
        $this->getMockDocumentManager($evm);
        $this->populate();
    }
    public function testSlugGeneration()
    {
        // test insert
        $repo = $this->dm->getRepository(self::ARTICLE);
        $article = $repo->findOneByTitle('My Title');
        $this->assertEquals('my-title-the-code', $article->getSlug());
        // test update
        $article->setTitle('New Title');
        $this->dm->persist($article);
        $this->dm->flush();
        $this->dm->clear();
        $article = $repo->findOneByTitle('New Title');
        $this->assertEquals('new-title-the-code', $article->getSlug());
    }
    public function testUniqueSlugGeneration()
    {
        for ($i = 0; $i < 12; $i++) {
            $article = new Article();
            $article->setTitle('My Title');
            $article->setCode('The Code');
            $this->dm->persist($article);
            $this->dm->flush();
            $this->dm->clear();
            $this->assertEquals('my-title-the-code-' . ($i + 1), $article->getSlug());
        }
    }
    public function testGithubIssue57()
    {
        // slug matched by prefix
        $article = new Article;
        $article->setTitle('my');
        $article->setCode('slug');
        $this->dm->persist($article);
        $article2 = new Article;
        $article2->setTitle('my');
        $article2->setCode('s');
        $this->dm->persist($article2);
        $this->dm->flush();
        $this->assertEquals('my-s', $article2->getSlug());
    }
    private function populate()
    {
        $art0 = new Article();
        $art0->setTitle('My Title');
        $art0->setCode('The Code');
        $this->dm->persist($art0);
        $this->dm->flush();
        $this->dm->clear();
    }
}
 |