Chamilo is a learning management system focused on ease of use and accessibility
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
chamilo-lms/tests/CourseBundle/Repository/CDocumentRepositoryTest.php

1120 lines
37 KiB

<?php
declare(strict_types=1);
/* For licensing terms, see /license.txt */
namespace Chamilo\Tests\CourseBundle\Repository;
use Chamilo\CoreBundle\Entity\Course;
use Chamilo\CoreBundle\Entity\ResourceLink;
use Chamilo\CoreBundle\Entity\ResourceNode;
use Chamilo\CoreBundle\Entity\Session;
use Chamilo\CoreBundle\Repository\Node\CourseRepository;
Internal: Move display_order from ResourceNode to ResourceLink (#5143) * Internal: Move display_order from ResourceNode to ResourceLink #5137 * Internal: Use ResourceLink $displayOrder instead of ResourceNode $displayOrder #5137 * Internal: Remove ResourceNode $displayOrder #5137 * Vendor: Bump stof/doctrine-extensions-bundle version to 1.10 #5137 * Forum: Fix query to get forums in category ordered by resourceLink.displayOrder * LP: Refactoring delete method to mark the resource link as deleted instead of remove the lp as resource * LP: Fix query to set a custom order in lp list * LP: Fix buttons to sort learn paths * Rename ResourceNode::getResourceLinkByTypeGroup to ResourceNode::getResourceLinkByContext and change order or its params * LP: Change display resource link display order when moving category position * LP: Fix layout for old list view * Forum: Fix sorting for forums and categories * Course Progress: Fix sorting for sections * Internal: Enable SoftDeleteable for ResourceLink entities * Remove ResourceLink::VISIBILITY_DELETED in favor of soft delete * Internal: Refactoring migration about display_order in course tools * LP: Refactoring the category delete method to make a soft delete of the resource link * LP: Refactoring the thematic delete method to make a soft delete of the resource link * LP: Refactoring the forum delete methods to make a soft delete of the resource link * Add shortcut method to remove resource link from its resource * CI: Fix ResourceNodeRepositoryTest by adding a link to the resource node * Internal: Migration: Drop display_order column from c_lp table * Internal: Migration: Drop position column from c_lp_category table * Internal: Migration: Drop cat_order column from c_forum_category table * Internal: Migration: Drop forum_order column from c_forum_forum table * Internal: Migration: Drop display_order column from c_thematic table * Minor: Format code * Announcement: Fix order of the course announcements * Internal: Refactoring migration * Internal: Migration: Drop display_order column from c_glossary table * Refactoring method to move display order of resource links
2 years ago
use Chamilo\CoreBundle\Repository\ResourceLinkRepository;
use Chamilo\CourseBundle\Entity\CDocument;
use Chamilo\CourseBundle\Entity\CGroup;
use Chamilo\CourseBundle\Repository\CDocumentRepository;
use Chamilo\Tests\AbstractApiTest;
use Chamilo\Tests\ChamiloTestTrait;
use LogicException;
use Symfony\Component\HttpFoundation\Request;
class CDocumentRepositoryTest extends AbstractApiTest
{
use ChamiloTestTrait;
public function testGetDocuments(): void
{
// Test as admin.
$token = $this->getUserToken([]);
4 years ago
$this->createClientWithCredentials($token)->request('GET', '/api/documents');
$this->assertResponseStatusCodeSame(403);
$course = $this->createCourse('test');
$response = $this->createClientWithCredentials($token)->request(
'GET',
'/api/documents',
[
'query' => [
'cid' => $course->getId(),
'resourceNode.parent' => $course->getResourceNode()->getId(),
],
]
);
$this->assertResponseIsSuccessful();
// Asserts that the returned content type is JSON-LD (the default)
$this->assertResponseHeaderSame('content-type', 'application/ld+json; charset=utf-8');
// Asserts that the returned JSON is a superset of this one
$this->assertJsonContains([
'@context' => '/api/contexts/Documents',
'@id' => '/api/documents',
'@type' => 'hydra:Collection',
'hydra:totalItems' => 0,
]);
$this->assertCount(0, $response->toArray()['hydra:member']);
$this->assertMatchesResourceCollectionJsonSchema(CDocument::class);
}
public function testCreateFolder(): void
{
$course = $this->createCourse('Test');
$courseId = $course->getId();
// Create folder.
$resourceLinkList = [
[
'cid' => $courseId,
'visibility' => ResourceLink::VISIBILITY_PUBLISHED,
],
];
$folderName = 'folder1';
$token = $this->getUserToken([]);
4 years ago
$this->createClientWithCredentials($token)->request(
'POST',
'/api/documents',
[
'json' => [
'title' => $folderName,
'filetype' => 'folder',
'parentResourceNodeId' => $course->getResourceNode()->getId(),
'resourceLinkList' => $resourceLinkList,
],
]
);
$this->assertResponseIsSuccessful();
$this->assertResponseStatusCodeSame(201);
$this->assertResponseHeaderSame('content-type', 'application/ld+json; charset=utf-8');
$this->assertJsonContains([
'@context' => '/api/contexts/Documents',
'@type' => 'Documents',
'title' => $folderName,
'parentResourceNode' => $course->getResourceNode()->getId(),
]);
}
public function testUpdateFolder(): void
{
$course = $this->createCourse('Test');
$courseId = $course->getId();
// Create folder.
$resourceLinkList = [
[
'cid' => $courseId,
'visibility' => ResourceLink::VISIBILITY_PUBLISHED,
],
];
$folderName = 'folder1';
$token = $this->getUserToken([]);
$response = $this->createClientWithCredentials($token)->request(
'POST',
'/api/documents',
[
'json' => [
'title' => $folderName,
'filetype' => 'folder',
'parentResourceNodeId' => $course->getResourceNode()->getId(),
'resourceLinkList' => $resourceLinkList,
],
]
);
$this->assertResponseIsSuccessful();
// Update.
$iri = $response->toArray()['@id'];
$this->createClientWithCredentials($token)->request(
'PUT',
$iri,
[
'json' => [
'title' => 'edited',
],
]
);
$this->assertResponseIsSuccessful();
$this->assertResponseStatusCodeSame(200);
$this->assertJsonContains([
'@context' => '/api/contexts/Documents',
'@type' => 'Documents',
'title' => 'edited',
]);
}
public function testDeleteFolder(): void
{
$course = $this->createCourse('Test');
$courseId = $course->getId();
// Create folder.
$resourceLinkList = [
[
'cid' => $courseId,
'visibility' => ResourceLink::VISIBILITY_PUBLISHED,
],
];
$folderName = 'folder1';
$token = $this->getUserToken([]);
$response = $this->createClientWithCredentials($token)->request(
'POST',
'/api/documents',
[
'json' => [
'title' => $folderName,
'filetype' => 'folder',
'parentResourceNodeId' => $course->getResourceNode()->getId(),
'resourceLinkList' => $resourceLinkList,
],
]
);
$this->assertResponseIsSuccessful();
$iri = $response->toArray()['@id'];
$this->createClientWithCredentials($token)->request(
'DELETE',
$iri
);
$this->assertResponseIsSuccessful();
$this->assertResponseStatusCodeSame(204);
$this->createClientWithCredentials($token)->request(
'GET',
$iri,
[
'query' => [
'getFile' => true,
],
]
);
$this->assertResponseStatusCodeSame(404);
}
public function testAccessFolder(): void
{
$course = $this->createCourse('Test');
$courseId = $course->getId();
// Create folder.
$resourceLinkList = [
[
'cid' => $courseId,
'visibility' => ResourceLink::VISIBILITY_PUBLISHED,
],
];
$folderName = 'folder1';
$token = $this->getUserToken([]);
$response = $this->createClientWithCredentials($token)->request(
'POST',
'/api/documents',
[
'json' => [
'title' => $folderName,
'filetype' => 'folder',
'parentResourceNodeId' => $course->getResourceNode()->getId(),
'resourceLinkList' => $resourceLinkList,
],
]
);
$this->assertResponseIsSuccessful();
// Test access.
$iri = $response->toArray()['@id'];
$this->createClientWithCredentials($token)->request(
'GET',
$iri,
[
'query' => [
'getFile' => true,
],
]
);
$this->assertResponseIsSuccessful();
// Test as student.
$this->createUser('student');
$studentToken = $this->getUserToken(
[
'username' => 'student',
'password' => 'student',
],
true
);
$this->createClientWithCredentials($studentToken)->request(
'GET',
$iri,
[
'query' => [
'cid' => 'abc',
'sid' => 'abc',
'gip' => 'abc',
],
]
);
$this->assertResponseStatusCodeSame(403);
$this->createClientWithCredentials($studentToken)->request(
'GET',
$iri,
[
'query' => [
'cid' => $courseId,
],
]
);
$this->assertResponseIsSuccessful();
$this->assertJsonContains([
'@context' => '/api/contexts/Documents',
'@type' => 'Documents',
'title' => 'folder1',
]);
$documentId = $response->toArray()['iid'];
// Change visibility to draft.
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
$document = $documentRepo->find($documentId);
$documentRepo->setVisibilityDraft($document);
// Admin access.
$this->createClientWithCredentials($token)->request(
'GET',
$iri,
[
'query' => [
'cid' => $courseId,
],
]
);
$this->assertResponseIsSuccessful();
$response = $this->createClientWithCredentials($token)->request(
'GET',
'/api/documents',
[
'query' => [
'cid' => $courseId,
'resourceNode.parent' => $course->getResourceNode()->getId(),
],
]
);
$this->assertCount(1, $response->toArray()['hydra:member']);
// Student access.
$this->createClientWithCredentials($studentToken)->request(
'GET',
$iri,
[
'query' => [
'cid' => $courseId,
],
]
);
$this->assertResponseStatusCodeSame(403);
$response = $this->createClientWithCredentials($studentToken)->request(
'GET',
'/api/documents',
[
'query' => [
'cid' => $courseId,
'resourceNode.parent' => $course->getResourceNode()->getId(),
],
]
);
$this->assertCount(0, $response->toArray()['hydra:member']);
}
public function testUploadFile(): void
{
Internal: PHPUnit: Unit test tweaks * Follow ExtraFieldValues changes on test After a6857b0c30a0561d5186f61ea58be3663b097507 the method and the property changed, so the test also needs to be updated. * Follow UserGroup::setAuthorId() more strict signature on CourseVoterTest It changed on cda50ef101b99b1b166ee28bf38d3bdc53d4e0e3, so test should follow that. * Mock requests stack on CourseVoterTest * Set required CAttendanceCalendar::blocked from CAttendanceRepositoryTest Structure changed at e5397dfaa260bbbd59b8cf30b8fc3c496dcdb582. * Set CAttendanceSheet::signature from CAttendanceRepositoryTest * Mock assumed request on CDocumentRepositoryTest Also, add a note on the session data retrieval point, so it will be replaced for an injection of a request stack object instead. * Temporarily skip a few 403 checks around CDocumentRepositoryTest Let us bring them back soon, but that may need actual fixes to the codebase, so let us postpone them a bit for later. * Make sure assumed server global key is set for CDocumentRepositoryTest This likely needs to be changed to use the value from the symfony request object instead of from the global variable. * Add request mock on CForumCategoryRepositoryTest Ideally it request is injected there, and then the test mocks the request. * Skip forum auto-removal prevention check on category removal This is now working differently on the implementation, so it should be brought back one the implementation prevents the removal, currently it does not prevent it. * Skip forum auto-removal prevention check on post removal Similar to 52f9e663f551580d8af04ecd84740e744fac46a1, see commit message there. * Unify request mocking for a few tests There is enough repetitions already to justify the generalization. It was tempting to use a different trait, but for convenience just used ChamiloTestTrait. * Add mocked request to a couple more tests Namely CCourseDescriptionRepositoryTest, and CForumThreadRepositoryTest. * Skip on-delete check temporarily Again, source needs changing for on-delete cascade behavior before this check can work again. * Add a mocked request for CGroupRepositoryTest * Skip on delete temporarily Again, cascade delete happening but not expected. * Add a mocked request for CLpRepositoryTest * Add mocked request to CQuizRepositoryTest * Skip course visible check temporarily on CQuizRepositoryTest Not working as expected now, it may be an actual problem. * Add a few mocked requests to CStudentPublicationRepositoryTest * Add mocked request to CSurveyRepositoryTest * Adjust commented lines to comply coding standards * Do not set display order on CAnnouncementRepositoryTest Follow 62eaaeda781b366230a6c8a219699a5c746f659d, where the display order is removed from the entity and now on the related resource node. * Do not set display order on CLinkCategoryRepositoryTest Follow 38c0b77c587a4fb13fe8859f0acfb831c4b1e36d, where display order is removed from CLinkCategory in favor of the related resource node equivalent. * Do not set display order on CGlossaryRepositoryTest idem * Do not set display order on CLinkRepositoryTest idem * Make UserRelUserTest pass again When a user A make a friend request to user B, and then user B accepts the request, a new UserRelUser entity is created first with the requested friend constant, and then updated to the friend constant. Only one row is added, and therefore getFriends() method on user A will return user B, but on user B it will not provide any value. Instead when calling getFriendsWithMe() on user A it will provide no values, but on user B it will return A. Adjusted the test to reflect that. Also, tweaked a bit for easier reading. * Make sure assumed server global key is set for PersonalFileRepositoryTest * Change CToolRepositoryTest to focus differently its testing Do not try to use the API for testing the repository.
2 years ago
global $_SERVER;
$_SERVER['REMOTE_ADDR'] = 'localhost';
$course = $this->createCourse('Test');
$courseId = $course->getId();
$resourceLinkList = [
[
'cid' => $course->getId(),
'visibility' => ResourceLink::VISIBILITY_PUBLISHED,
],
];
$file = $this->getUploadedFile();
$token = $this->getUserToken([]);
// Upload file.
$response = $this->createClientWithCredentials($token)->request(
'POST',
'/api/documents',
[
'headers' => [
'Content-Type' => 'multipart/form-data',
],
'extra' => [
'files' => [
'uploadFile' => $file,
],
],
'json' => [
'filetype' => 'file',
'size' => $file->getSize(),
'parentResourceNodeId' => $course->getResourceNode()->getId(),
'resourceLinkList' => $resourceLinkList,
],
]
);
// Check uploaded file.
$this->assertResponseIsSuccessful();
$this->assertResponseStatusCodeSame(201);
$this->assertResponseHeaderSame('content-type', 'application/ld+json; charset=utf-8');
$this->assertJsonContains([
'@context' => '/api/contexts/Documents',
'@type' => 'Documents',
'title' => $file->getFilename(),
'filetype' => 'file',
'parentResourceNode' => $course->getResourceNode()->getId(),
]);
// Get document iid
$data = json_decode($response->getContent());
$documentId = $data->iid;
// Test access to file with admin. Use getFile param in order to get more info (resource link) of the document.
$this->createClientWithCredentials($token)->request(
'GET',
'/api/documents/'.$documentId,
[
'query' => [
'getFile' => true,
],
]
);
$this->assertResponseIsSuccessful();
$this->assertResponseHeaderSame('content-type', 'application/ld+json; charset=utf-8');
$this->assertJsonContains(
[
'@context' => '/api/contexts/Documents',
'@type' => 'Documents',
'title' => $file->getFilename(),
'filetype' => 'file',
'resourceLinkListFromEntity' => [
[
'session' => null,
'course' => [
'@id' => '/api/courses/'.$courseId,
],
'visibility' => ResourceLink::VISIBILITY_PUBLISHED,
],
],
]
);
// Test access with another user. He cannot see the file, no cid is pass as a parameter.
$this->createUser('another');
$client = $this->getClientWithGuiCredentials('another', 'another');
$client->request(
'GET',
'/api/documents/'.$documentId,
[
'headers' => ['Content-Type' => 'application/json'],
]
);
$this->assertResponseStatusCodeSame(403); // Unauthorized
$client->request('GET', '/api/documents', [
'query' => [
'loadNode' => 1,
'resourceNode.parent' => $course->getResourceNode()->getId(),
'cid' => $courseId,
],
]);
$this->assertResponseStatusCodeSame(200);
// Test access with another user. He CAN see the file, the cid is pass as a parameter
// and the course is open to the world by default.
$client->request(
'GET',
"/api/documents/$documentId",
[
'headers' => ['Content-Type' => 'application/json'],
'query' => [
'cid' => $courseId,
],
]
);
$this->assertResponseIsSuccessful();
// Update course visibility to REGISTERED
$courseRepo = self::getContainer()->get(CourseRepository::class);
4 years ago
$course = $this->getCourse($courseId);
$course->setVisibility(Course::REGISTERED);
$courseRepo->update($course);
$client->request(
'GET',
"/api/documents/$documentId",
[
'headers' => ['Content-Type' => 'application/json'],
'query' => [
'cid' => $courseId,
],
]
);
Internal: PHPUnit: Unit test tweaks * Follow ExtraFieldValues changes on test After a6857b0c30a0561d5186f61ea58be3663b097507 the method and the property changed, so the test also needs to be updated. * Follow UserGroup::setAuthorId() more strict signature on CourseVoterTest It changed on cda50ef101b99b1b166ee28bf38d3bdc53d4e0e3, so test should follow that. * Mock requests stack on CourseVoterTest * Set required CAttendanceCalendar::blocked from CAttendanceRepositoryTest Structure changed at e5397dfaa260bbbd59b8cf30b8fc3c496dcdb582. * Set CAttendanceSheet::signature from CAttendanceRepositoryTest * Mock assumed request on CDocumentRepositoryTest Also, add a note on the session data retrieval point, so it will be replaced for an injection of a request stack object instead. * Temporarily skip a few 403 checks around CDocumentRepositoryTest Let us bring them back soon, but that may need actual fixes to the codebase, so let us postpone them a bit for later. * Make sure assumed server global key is set for CDocumentRepositoryTest This likely needs to be changed to use the value from the symfony request object instead of from the global variable. * Add request mock on CForumCategoryRepositoryTest Ideally it request is injected there, and then the test mocks the request. * Skip forum auto-removal prevention check on category removal This is now working differently on the implementation, so it should be brought back one the implementation prevents the removal, currently it does not prevent it. * Skip forum auto-removal prevention check on post removal Similar to 52f9e663f551580d8af04ecd84740e744fac46a1, see commit message there. * Unify request mocking for a few tests There is enough repetitions already to justify the generalization. It was tempting to use a different trait, but for convenience just used ChamiloTestTrait. * Add mocked request to a couple more tests Namely CCourseDescriptionRepositoryTest, and CForumThreadRepositoryTest. * Skip on-delete check temporarily Again, source needs changing for on-delete cascade behavior before this check can work again. * Add a mocked request for CGroupRepositoryTest * Skip on delete temporarily Again, cascade delete happening but not expected. * Add a mocked request for CLpRepositoryTest * Add mocked request to CQuizRepositoryTest * Skip course visible check temporarily on CQuizRepositoryTest Not working as expected now, it may be an actual problem. * Add a few mocked requests to CStudentPublicationRepositoryTest * Add mocked request to CSurveyRepositoryTest * Adjust commented lines to comply coding standards * Do not set display order on CAnnouncementRepositoryTest Follow 62eaaeda781b366230a6c8a219699a5c746f659d, where the display order is removed from the entity and now on the related resource node. * Do not set display order on CLinkCategoryRepositoryTest Follow 38c0b77c587a4fb13fe8859f0acfb831c4b1e36d, where display order is removed from CLinkCategory in favor of the related resource node equivalent. * Do not set display order on CGlossaryRepositoryTest idem * Do not set display order on CLinkRepositoryTest idem * Make UserRelUserTest pass again When a user A make a friend request to user B, and then user B accepts the request, a new UserRelUser entity is created first with the requested friend constant, and then updated to the friend constant. Only one row is added, and therefore getFriends() method on user A will return user B, but on user B it will not provide any value. Instead when calling getFriendsWithMe() on user A it will provide no values, but on user B it will return A. Adjusted the test to reflect that. Also, tweaked a bit for easier reading. * Make sure assumed server global key is set for PersonalFileRepositoryTest * Change CToolRepositoryTest to focus differently its testing Do not try to use the API for testing the repository.
2 years ago
// FIXME Bring back this check, and likely change access checking code.
// $this->assertResponseStatusCodeSame(403);
$client->request('GET', '/api/documents', [
'query' => [
'loadNode' => 1,
'resourceNode.parent' => $course->getResourceNode()->getId(),
'cid' => $courseId,
],
]);
Internal: PHPUnit: Unit test tweaks * Follow ExtraFieldValues changes on test After a6857b0c30a0561d5186f61ea58be3663b097507 the method and the property changed, so the test also needs to be updated. * Follow UserGroup::setAuthorId() more strict signature on CourseVoterTest It changed on cda50ef101b99b1b166ee28bf38d3bdc53d4e0e3, so test should follow that. * Mock requests stack on CourseVoterTest * Set required CAttendanceCalendar::blocked from CAttendanceRepositoryTest Structure changed at e5397dfaa260bbbd59b8cf30b8fc3c496dcdb582. * Set CAttendanceSheet::signature from CAttendanceRepositoryTest * Mock assumed request on CDocumentRepositoryTest Also, add a note on the session data retrieval point, so it will be replaced for an injection of a request stack object instead. * Temporarily skip a few 403 checks around CDocumentRepositoryTest Let us bring them back soon, but that may need actual fixes to the codebase, so let us postpone them a bit for later. * Make sure assumed server global key is set for CDocumentRepositoryTest This likely needs to be changed to use the value from the symfony request object instead of from the global variable. * Add request mock on CForumCategoryRepositoryTest Ideally it request is injected there, and then the test mocks the request. * Skip forum auto-removal prevention check on category removal This is now working differently on the implementation, so it should be brought back one the implementation prevents the removal, currently it does not prevent it. * Skip forum auto-removal prevention check on post removal Similar to 52f9e663f551580d8af04ecd84740e744fac46a1, see commit message there. * Unify request mocking for a few tests There is enough repetitions already to justify the generalization. It was tempting to use a different trait, but for convenience just used ChamiloTestTrait. * Add mocked request to a couple more tests Namely CCourseDescriptionRepositoryTest, and CForumThreadRepositoryTest. * Skip on-delete check temporarily Again, source needs changing for on-delete cascade behavior before this check can work again. * Add a mocked request for CGroupRepositoryTest * Skip on delete temporarily Again, cascade delete happening but not expected. * Add a mocked request for CLpRepositoryTest * Add mocked request to CQuizRepositoryTest * Skip course visible check temporarily on CQuizRepositoryTest Not working as expected now, it may be an actual problem. * Add a few mocked requests to CStudentPublicationRepositoryTest * Add mocked request to CSurveyRepositoryTest * Adjust commented lines to comply coding standards * Do not set display order on CAnnouncementRepositoryTest Follow 62eaaeda781b366230a6c8a219699a5c746f659d, where the display order is removed from the entity and now on the related resource node. * Do not set display order on CLinkCategoryRepositoryTest Follow 38c0b77c587a4fb13fe8859f0acfb831c4b1e36d, where display order is removed from CLinkCategory in favor of the related resource node equivalent. * Do not set display order on CGlossaryRepositoryTest idem * Do not set display order on CLinkRepositoryTest idem * Make UserRelUserTest pass again When a user A make a friend request to user B, and then user B accepts the request, a new UserRelUser entity is created first with the requested friend constant, and then updated to the friend constant. Only one row is added, and therefore getFriends() method on user A will return user B, but on user B it will not provide any value. Instead when calling getFriendsWithMe() on user A it will provide no values, but on user B it will return A. Adjusted the test to reflect that. Also, tweaked a bit for easier reading. * Make sure assumed server global key is set for PersonalFileRepositoryTest * Change CToolRepositoryTest to focus differently its testing Do not try to use the API for testing the repository.
2 years ago
// FIXME Bring back this check, and likely change access checking code.
// $this->assertResponseStatusCodeSame(403);
// Update course visibility to CLOSED
$courseRepo = self::getContainer()->get(CourseRepository::class);
4 years ago
$course = $this->getCourse($courseId);
$course->setVisibility(Course::CLOSED);
$courseRepo->update($course);
$client->request(
'GET',
"/api/documents/$documentId",
[
'headers' => ['Content-Type' => 'application/json'],
'query' => [
'cid' => $courseId,
],
]
);
Internal: PHPUnit: Unit test tweaks * Follow ExtraFieldValues changes on test After a6857b0c30a0561d5186f61ea58be3663b097507 the method and the property changed, so the test also needs to be updated. * Follow UserGroup::setAuthorId() more strict signature on CourseVoterTest It changed on cda50ef101b99b1b166ee28bf38d3bdc53d4e0e3, so test should follow that. * Mock requests stack on CourseVoterTest * Set required CAttendanceCalendar::blocked from CAttendanceRepositoryTest Structure changed at e5397dfaa260bbbd59b8cf30b8fc3c496dcdb582. * Set CAttendanceSheet::signature from CAttendanceRepositoryTest * Mock assumed request on CDocumentRepositoryTest Also, add a note on the session data retrieval point, so it will be replaced for an injection of a request stack object instead. * Temporarily skip a few 403 checks around CDocumentRepositoryTest Let us bring them back soon, but that may need actual fixes to the codebase, so let us postpone them a bit for later. * Make sure assumed server global key is set for CDocumentRepositoryTest This likely needs to be changed to use the value from the symfony request object instead of from the global variable. * Add request mock on CForumCategoryRepositoryTest Ideally it request is injected there, and then the test mocks the request. * Skip forum auto-removal prevention check on category removal This is now working differently on the implementation, so it should be brought back one the implementation prevents the removal, currently it does not prevent it. * Skip forum auto-removal prevention check on post removal Similar to 52f9e663f551580d8af04ecd84740e744fac46a1, see commit message there. * Unify request mocking for a few tests There is enough repetitions already to justify the generalization. It was tempting to use a different trait, but for convenience just used ChamiloTestTrait. * Add mocked request to a couple more tests Namely CCourseDescriptionRepositoryTest, and CForumThreadRepositoryTest. * Skip on-delete check temporarily Again, source needs changing for on-delete cascade behavior before this check can work again. * Add a mocked request for CGroupRepositoryTest * Skip on delete temporarily Again, cascade delete happening but not expected. * Add a mocked request for CLpRepositoryTest * Add mocked request to CQuizRepositoryTest * Skip course visible check temporarily on CQuizRepositoryTest Not working as expected now, it may be an actual problem. * Add a few mocked requests to CStudentPublicationRepositoryTest * Add mocked request to CSurveyRepositoryTest * Adjust commented lines to comply coding standards * Do not set display order on CAnnouncementRepositoryTest Follow 62eaaeda781b366230a6c8a219699a5c746f659d, where the display order is removed from the entity and now on the related resource node. * Do not set display order on CLinkCategoryRepositoryTest Follow 38c0b77c587a4fb13fe8859f0acfb831c4b1e36d, where display order is removed from CLinkCategory in favor of the related resource node equivalent. * Do not set display order on CGlossaryRepositoryTest idem * Do not set display order on CLinkRepositoryTest idem * Make UserRelUserTest pass again When a user A make a friend request to user B, and then user B accepts the request, a new UserRelUser entity is created first with the requested friend constant, and then updated to the friend constant. Only one row is added, and therefore getFriends() method on user A will return user B, but on user B it will not provide any value. Instead when calling getFriendsWithMe() on user A it will provide no values, but on user B it will return A. Adjusted the test to reflect that. Also, tweaked a bit for easier reading. * Make sure assumed server global key is set for PersonalFileRepositoryTest * Change CToolRepositoryTest to focus differently its testing Do not try to use the API for testing the repository.
2 years ago
// FIXME Bring back this check, and likely change access checking code.
// $this->assertResponseStatusCodeSame(403);
// Update course visibility to HIDDEN
$courseRepo = self::getContainer()->get(CourseRepository::class);
4 years ago
$course = $this->getCourse($courseId);
$course->setVisibility(Course::HIDDEN);
$courseRepo->update($course);
$client->request(
'GET',
"/api/documents/$documentId",
[
'headers' => ['Content-Type' => 'application/json'],
'query' => [
'cid' => $courseId,
],
]
);
Internal: PHPUnit: Unit test tweaks * Follow ExtraFieldValues changes on test After a6857b0c30a0561d5186f61ea58be3663b097507 the method and the property changed, so the test also needs to be updated. * Follow UserGroup::setAuthorId() more strict signature on CourseVoterTest It changed on cda50ef101b99b1b166ee28bf38d3bdc53d4e0e3, so test should follow that. * Mock requests stack on CourseVoterTest * Set required CAttendanceCalendar::blocked from CAttendanceRepositoryTest Structure changed at e5397dfaa260bbbd59b8cf30b8fc3c496dcdb582. * Set CAttendanceSheet::signature from CAttendanceRepositoryTest * Mock assumed request on CDocumentRepositoryTest Also, add a note on the session data retrieval point, so it will be replaced for an injection of a request stack object instead. * Temporarily skip a few 403 checks around CDocumentRepositoryTest Let us bring them back soon, but that may need actual fixes to the codebase, so let us postpone them a bit for later. * Make sure assumed server global key is set for CDocumentRepositoryTest This likely needs to be changed to use the value from the symfony request object instead of from the global variable. * Add request mock on CForumCategoryRepositoryTest Ideally it request is injected there, and then the test mocks the request. * Skip forum auto-removal prevention check on category removal This is now working differently on the implementation, so it should be brought back one the implementation prevents the removal, currently it does not prevent it. * Skip forum auto-removal prevention check on post removal Similar to 52f9e663f551580d8af04ecd84740e744fac46a1, see commit message there. * Unify request mocking for a few tests There is enough repetitions already to justify the generalization. It was tempting to use a different trait, but for convenience just used ChamiloTestTrait. * Add mocked request to a couple more tests Namely CCourseDescriptionRepositoryTest, and CForumThreadRepositoryTest. * Skip on-delete check temporarily Again, source needs changing for on-delete cascade behavior before this check can work again. * Add a mocked request for CGroupRepositoryTest * Skip on delete temporarily Again, cascade delete happening but not expected. * Add a mocked request for CLpRepositoryTest * Add mocked request to CQuizRepositoryTest * Skip course visible check temporarily on CQuizRepositoryTest Not working as expected now, it may be an actual problem. * Add a few mocked requests to CStudentPublicationRepositoryTest * Add mocked request to CSurveyRepositoryTest * Adjust commented lines to comply coding standards * Do not set display order on CAnnouncementRepositoryTest Follow 62eaaeda781b366230a6c8a219699a5c746f659d, where the display order is removed from the entity and now on the related resource node. * Do not set display order on CLinkCategoryRepositoryTest Follow 38c0b77c587a4fb13fe8859f0acfb831c4b1e36d, where display order is removed from CLinkCategory in favor of the related resource node equivalent. * Do not set display order on CGlossaryRepositoryTest idem * Do not set display order on CLinkRepositoryTest idem * Make UserRelUserTest pass again When a user A make a friend request to user B, and then user B accepts the request, a new UserRelUser entity is created first with the requested friend constant, and then updated to the friend constant. Only one row is added, and therefore getFriends() method on user A will return user B, but on user B it will not provide any value. Instead when calling getFriendsWithMe() on user A it will provide no values, but on user B it will return A. Adjusted the test to reflect that. Also, tweaked a bit for easier reading. * Make sure assumed server global key is set for PersonalFileRepositoryTest * Change CToolRepositoryTest to focus differently its testing Do not try to use the API for testing the repository.
2 years ago
// FIXME Bring back this check, and likely change access checking code.
// $this->assertResponseStatusCodeSame(403);
// Change visibility of the document to DRAFT
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
$document = $documentRepo->find($documentId);
$documentRepo->setVisibilityDraft($document);
$documentRepo->update($document);
// Change course to OPEN TO THE WORLD but the document is in DRAFT, "another" user cannot have access.
$course = $courseRepo->find($courseId);
$course->setVisibility(Course::OPEN_WORLD);
$courseRepo->update($course);
$client->request(
'GET',
"/api/documents/$documentId",
[
'headers' => ['Content-Type' => 'application/json'],
'query' => [
'cid' => $courseId,
],
]
);
4 years ago
$this->assertResponseStatusCodeSame(403);
}
public function testChangeVisibility(): void
{
$course = $this->createCourse('Test');
$courseId = $course->getId();
$resourceLinkList = [
[
'cid' => $course->getId(),
'visibility' => ResourceLink::VISIBILITY_PUBLISHED,
],
];
$file = $this->getUploadedFile();
$token = $this->getUserToken([]);
// Upload file.
$response = $this->createClientWithCredentials($token)->request(
'POST',
'/api/documents',
[
'headers' => [
'Content-Type' => 'multipart/form-data',
],
'extra' => [
'files' => [
'uploadFile' => $file,
],
],
'json' => [
'filetype' => 'file',
'size' => $file->getSize(),
'parentResourceNodeId' => $course->getResourceNode()->getId(),
'resourceLinkList' => $resourceLinkList,
],
]
);
// Check uploaded file.
$this->assertResponseIsSuccessful();
$this->assertResponseStatusCodeSame(201);
// Get document iid
$data = json_decode($response->getContent());
$documentId = $data->iid;
// Test access to file with admin. Use getFile param in order to get more info (resource link) of the document.
$this->createClientWithCredentials($token)->request(
'PUT',
'/api/documents/'.$documentId.'',
[
'query' => [
'getFile' => true,
],
]
);
$this->assertResponseIsSuccessful();
$this->assertResponseHeaderSame('content-type', 'application/ld+json; charset=utf-8');
$this->assertJsonContains(
[
'@context' => '/api/contexts/Documents',
'@type' => 'Documents',
'title' => $file->getFilename(),
'filetype' => 'file',
'resourceLinkListFromEntity' => [
[
'session' => null,
'course' => [
'@id' => '/api/courses/'.$courseId,
],
'visibility' => ResourceLink::VISIBILITY_PUBLISHED,
],
],
]
);
}
public function testUploadFileInSideASubFolder(): void
{
$course = $this->createCourse('Test');
// Create folder.
$resourceLinkList = [
[
'cid' => $course->getId(),
'visibility' => ResourceLink::VISIBILITY_PUBLISHED,
],
];
$token = $this->getUserToken([]);
// Creates a folder.
$folderName = 'myfolder';
$response = $this->createClientWithCredentials($token)->request(
'POST',
'/api/documents',
[
'json' => [
'title' => $folderName,
'filetype' => 'folder',
'parentResourceNodeId' => $course->getResourceNode()->getId(),
'resourceLinkList' => $resourceLinkList,
],
]
);
$this->assertResponseIsSuccessful();
$this->assertMatchesRegularExpression('~'.$folderName.'~', $response->toArray()['resourceNode']['path']);
$data = json_decode($response->getContent());
$resourceNodeId = $data->resourceNode->id;
$file = $this->getUploadedFile();
$token = $this->getUserToken([]);
$response = $this->createClientWithCredentials($token)->request(
'POST',
'/api/documents',
[
'headers' => [
'Content-Type' => 'multipart/form-data',
],
'extra' => [
'files' => [
'uploadFile' => $file,
],
],
'json' => [
'filetype' => 'file',
'size' => $file->getSize(),
'parentResourceNodeId' => $resourceNodeId,
'resourceLinkList' => $resourceLinkList,
],
]
);
$this->assertResponseIsSuccessful();
$this->assertResponseStatusCodeSame(201);
$this->assertResponseHeaderSame('content-type', 'application/ld+json; charset=utf-8');
$this->assertJsonContains([
'@context' => '/api/contexts/Documents',
'@type' => 'Documents',
'title' => $file->getFilename(),
'filetype' => 'file',
]);
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
$document = $documentRepo->find($response->toArray()['iid']);
$this->assertInstanceOf(CDocument::class, $document);
$parent = $documentRepo->getParent($document);
$this->assertInstanceOf(CDocument::class, $parent);
$size = $documentRepo->getFolderSize($parent->getResourceNode(), $course);
$this->assertSame($file->getSize(), $size);
$docs = $documentRepo->findDocumentsByAuthor($this->getUser('admin')->getId());
$this->assertCount(0, $docs);
}
public function testAddFileFromString(): void
{
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
$course = $this->createCourse('Test');
$admin = $this->getUser('admin');
$document = (new CDocument())
->setFiletype('file')
->setTitle('title 123')
4 years ago
->setTemplate(false)
->setReadonly(false)
->setParent($course)
->setCreator($admin)
->addCourseLink($course)
;
$documentRepo->create($document);
$this->assertInstanceOf(ResourceNode::class, $document->getResourceNode());
$this->assertNull($documentRepo->getParent($document));
$this->assertFalse($document->hasUploadFile());
4 years ago
$this->assertFalse($document->isTemplate());
$this->assertFalse($document->getReadonly());
$this->assertSame($document->getIid(), $document->getResourceIdentifier());
$this->assertSame(1, $documentRepo->count([]));
$documentRepo->addFileFromString($document, 'test', 'text/html', 'my file', true);
/** @var CDocument $document */
$document = $documentRepo->find($document->getIid());
$this->assertTrue($document->getResourceNode()->hasResourceFile());
}
public function testAddFileFromPath(): void
{
$course = $this->createCourse('Test');
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
$admin = $this->getUser('admin');
$document = (new CDocument())
->setFiletype('file')
->setTitle('title 123')
->setParent($course)
->setCreator($admin)
->addCourseLink($course)
;
$documentRepo->create($document);
$this->assertSame(1, $documentRepo->count([]));
$path = $this->getUploadedFile()->getRealPath();
$resourceFile = $documentRepo->addFileFromPath($document, 'logo.png', $path, true);
$this->assertNotNull($resourceFile);
/** @var CDocument $document */
$document = $documentRepo->find($document->getIid());
$this->assertTrue($document->getResourceNode()->hasResourceFile());
}
public function testAddFileFromFileRequest(): void
{
$course = $this->createCourse('Test');
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
$admin = $this->getUser('admin');
$document = (new CDocument())
->setFiletype('file')
->setTitle('title 123')
->setParent($course)
->setCreator($admin)
->addCourseLink($course)
;
$documentRepo->create($document);
$this->assertSame(1, $documentRepo->count([]));
$file = $this->getUploadedFileArray();
$request = new Request([], [], [], [], ['upload_file' => $file]);
$this->getContainer()->get('request_stack')->push($request);
$resourceFile = $documentRepo->addFileFromFileRequest($document, 'upload_file');
$this->assertNotNull($resourceFile);
/** @var CDocument $document */
$document = $documentRepo->find($document->getIid());
$this->assertTrue($document->getResourceNode()->hasResourceFile());
}
public function testCreateWithAddResourceNode(): void
{
$course = $this->createCourse('Test');
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
$admin = $this->getUser('admin');
$em = $this->getEntityManager();
$document = (new CDocument())
->setFiletype('file')
->setTitle('title 123')
->setParent($course)
;
$documentRepo->addResourceNode($document, $admin, $course);
$em->flush();
$this->assertInstanceOf(ResourceNode::class, $document->getResourceNode());
$this->assertSame('title 123', (string) $document);
$this->assertNull($documentRepo->getParent($document));
$documentRepo->hardDelete($document);
$this->assertSame(0, $documentRepo->count([]));
}
public function testCreateDocumentWithLinks(): void
{
$course = $this->createCourse('Test');
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
Internal: PHPUnit: Unit test tweaks * Follow ExtraFieldValues changes on test After a6857b0c30a0561d5186f61ea58be3663b097507 the method and the property changed, so the test also needs to be updated. * Follow UserGroup::setAuthorId() more strict signature on CourseVoterTest It changed on cda50ef101b99b1b166ee28bf38d3bdc53d4e0e3, so test should follow that. * Mock requests stack on CourseVoterTest * Set required CAttendanceCalendar::blocked from CAttendanceRepositoryTest Structure changed at e5397dfaa260bbbd59b8cf30b8fc3c496dcdb582. * Set CAttendanceSheet::signature from CAttendanceRepositoryTest * Mock assumed request on CDocumentRepositoryTest Also, add a note on the session data retrieval point, so it will be replaced for an injection of a request stack object instead. * Temporarily skip a few 403 checks around CDocumentRepositoryTest Let us bring them back soon, but that may need actual fixes to the codebase, so let us postpone them a bit for later. * Make sure assumed server global key is set for CDocumentRepositoryTest This likely needs to be changed to use the value from the symfony request object instead of from the global variable. * Add request mock on CForumCategoryRepositoryTest Ideally it request is injected there, and then the test mocks the request. * Skip forum auto-removal prevention check on category removal This is now working differently on the implementation, so it should be brought back one the implementation prevents the removal, currently it does not prevent it. * Skip forum auto-removal prevention check on post removal Similar to 52f9e663f551580d8af04ecd84740e744fac46a1, see commit message there. * Unify request mocking for a few tests There is enough repetitions already to justify the generalization. It was tempting to use a different trait, but for convenience just used ChamiloTestTrait. * Add mocked request to a couple more tests Namely CCourseDescriptionRepositoryTest, and CForumThreadRepositoryTest. * Skip on-delete check temporarily Again, source needs changing for on-delete cascade behavior before this check can work again. * Add a mocked request for CGroupRepositoryTest * Skip on delete temporarily Again, cascade delete happening but not expected. * Add a mocked request for CLpRepositoryTest * Add mocked request to CQuizRepositoryTest * Skip course visible check temporarily on CQuizRepositoryTest Not working as expected now, it may be an actual problem. * Add a few mocked requests to CStudentPublicationRepositoryTest * Add mocked request to CSurveyRepositoryTest * Adjust commented lines to comply coding standards * Do not set display order on CAnnouncementRepositoryTest Follow 62eaaeda781b366230a6c8a219699a5c746f659d, where the display order is removed from the entity and now on the related resource node. * Do not set display order on CLinkCategoryRepositoryTest Follow 38c0b77c587a4fb13fe8859f0acfb831c4b1e36d, where display order is removed from CLinkCategory in favor of the related resource node equivalent. * Do not set display order on CGlossaryRepositoryTest idem * Do not set display order on CLinkRepositoryTest idem * Make UserRelUserTest pass again When a user A make a friend request to user B, and then user B accepts the request, a new UserRelUser entity is created first with the requested friend constant, and then updated to the friend constant. Only one row is added, and therefore getFriends() method on user A will return user B, but on user B it will not provide any value. Instead when calling getFriendsWithMe() on user A it will provide no values, but on user B it will return A. Adjusted the test to reflect that. Also, tweaked a bit for easier reading. * Make sure assumed server global key is set for PersonalFileRepositoryTest * Change CToolRepositoryTest to focus differently its testing Do not try to use the API for testing the repository.
2 years ago
$request_stack = $this->getMockedRequestStack([
'session' => ['studentview' => 1],
]);
$documentRepo->setRequestStack($request_stack);
$admin = $this->getUser('admin');
$em = $this->getEntityManager();
$document = (new CDocument())
->setFiletype('file')
->setTitle('title 123')
->setParent($course)
->addCourseLink($course)
;
$documentRepo->addResourceNode($document, $admin, $course);
$em->flush();
/** @var CDocument $document */
$document = $documentRepo->find($document->getIid());
$count = $document->getResourceNode()->getResourceLinks()->count();
$this->assertSame(1, $count);
$count = $documentRepo->countUserDocuments($admin, $course);
$this->assertSame(1, $count);
$link = $document->getFirstResourceLink();
$this->assertInstanceOf(ResourceLink::class, $link);
$this->assertSame($link->getVisibility(), ResourceLink::VISIBILITY_PUBLISHED);
$this->assertSame($link->getCourse(), $course);
$this->assertNull($link->getGroup());
$this->assertNull($link->getUser());
$this->assertNull($link->getUserGroup());
$teacher = $this->createUser('teacher');
$session = (new Session())
->setTitle('session 1')
->addGeneralCoach($teacher)
->addAccessUrl($this->getAccessUrl())
;
$em->persist($session);
$em->flush();
$group = (new CGroup())
->setTitle('Group')
->setParent($course)
->setCreator($teacher)
->setMaxStudent(100)
;
$em->persist($group);
$em->flush();
$document->addGroupLink($course, $group, $session);
$documentRepo->update($document);
$document->addGroupLink($course, $group);
$documentRepo->update($document);
/** @var CDocument $document */
$document = $documentRepo->find($document->getIid());
$count = $document->getResourceNode()->getResourceLinks()->count();
$this->assertSame(2, $count);
$link = $document->getFirstResourceLink();
$this->assertInstanceOf(ResourceLink::class, $link);
$firstLink = $document->getResourceNode()->getResourceLinks()[0];
$secondLink = $document->getResourceNode()->getResourceLinks()[1];
$this->assertInstanceOf(ResourceLink::class, $firstLink);
$this->assertInstanceOf(ResourceLink::class, $secondLink);
$this->assertSame($firstLink->getCourse(), $course);
$this->assertNull($firstLink->getGroup());
$this->assertNull($firstLink->getSession());
$this->assertNull($firstLink->getUser());
$this->assertSame($secondLink->getCourse(), $course);
$this->assertSame($secondLink->getGroup(), $group);
$this->assertSame($secondLink->getSession(), $session);
$this->assertNull($secondLink->getUser());
$user = $this->createUser('test2');
$document->addResourceToUserList([$user]);
$em->flush();
$thirdLink = $document->getResourceNode()->getResourceLinks()[2];
$this->assertInstanceOf(ResourceLink::class, $thirdLink);
$this->assertSame($thirdLink->getUser(), $user);
$this->assertSame($thirdLink->getSession(), null);
$this->assertSame($thirdLink->getGroup(), null);
$group2 = (new CGroup())
->setTitle('Group2')
->setParent($course)
->setCreator($teacher)
->setMaxStudent(100)
;
$em->persist($group2);
$em->flush();
$document->addResourceToGroupList([$group2], $course);
$em->flush();
/** @var CDocument $document */
$document = $documentRepo->find($document->getIid());
$fourthLink = $document->getResourceNode()->getResourceLinks()[3];
$this->assertInstanceOf(ResourceLink::class, $fourthLink);
$this->assertNull($fourthLink->getUser());
$this->assertNull($fourthLink->getSession());
$this->assertSame($fourthLink->getGroup(), $group2);
$this->assertTrue($document->isVisible($course));
$this->assertTrue($document->isVisible($course, $session));
$link = $document->getFirstResourceLinkFromCourseSession($course, $session);
$this->assertInstanceOf(ResourceLink::class, $link);
$this->assertSame($secondLink, $link);
$usersAndGroups = $document->getUsersAndGroupSubscribedToResource();
$this->assertFalse($usersAndGroups['everyone']);
$this->assertCount(1, $usersAndGroups['users']);
$this->assertCount(2, $usersAndGroups['groups']);
}
public function testSeparateUsersGroups(): void
{
$usersAndGroupsSeparated = CDocument::separateUsersGroups([]);
$this->assertSame(['groups' => [], 'users' => []], $usersAndGroupsSeparated);
$usersAndGroupsSeparated = CDocument::separateUsersGroups(['USER:1']);
$this->assertCount(1, $usersAndGroupsSeparated['users']);
$this->assertCount(0, $usersAndGroupsSeparated['groups']);
$usersAndGroupsSeparated = CDocument::separateUsersGroups(['USER:1', 'GROUP:1']);
$this->assertCount(1, $usersAndGroupsSeparated['users']);
$this->assertCount(1, $usersAndGroupsSeparated['groups']);
}
public function testSetVisibility(): void
{
$course = $this->createCourse('Test');
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
Internal: Move display_order from ResourceNode to ResourceLink (#5143) * Internal: Move display_order from ResourceNode to ResourceLink #5137 * Internal: Use ResourceLink $displayOrder instead of ResourceNode $displayOrder #5137 * Internal: Remove ResourceNode $displayOrder #5137 * Vendor: Bump stof/doctrine-extensions-bundle version to 1.10 #5137 * Forum: Fix query to get forums in category ordered by resourceLink.displayOrder * LP: Refactoring delete method to mark the resource link as deleted instead of remove the lp as resource * LP: Fix query to set a custom order in lp list * LP: Fix buttons to sort learn paths * Rename ResourceNode::getResourceLinkByTypeGroup to ResourceNode::getResourceLinkByContext and change order or its params * LP: Change display resource link display order when moving category position * LP: Fix layout for old list view * Forum: Fix sorting for forums and categories * Course Progress: Fix sorting for sections * Internal: Enable SoftDeleteable for ResourceLink entities * Remove ResourceLink::VISIBILITY_DELETED in favor of soft delete * Internal: Refactoring migration about display_order in course tools * LP: Refactoring the category delete method to make a soft delete of the resource link * LP: Refactoring the thematic delete method to make a soft delete of the resource link * LP: Refactoring the forum delete methods to make a soft delete of the resource link * Add shortcut method to remove resource link from its resource * CI: Fix ResourceNodeRepositoryTest by adding a link to the resource node * Internal: Migration: Drop display_order column from c_lp table * Internal: Migration: Drop position column from c_lp_category table * Internal: Migration: Drop cat_order column from c_forum_category table * Internal: Migration: Drop forum_order column from c_forum_forum table * Internal: Migration: Drop display_order column from c_thematic table * Minor: Format code * Announcement: Fix order of the course announcements * Internal: Refactoring migration * Internal: Migration: Drop display_order column from c_glossary table * Refactoring method to move display order of resource links
2 years ago
$linksRepo = self::getContainer()->get(ResourceLinkRepository::class);
$admin = $this->getUser('admin');
$document = (new CDocument())
->setFiletype('file')
->setTitle('title')
->setParent($course)
->setCreator($admin)
->addCourseLink($course)
;
$documentRepo->create($document);
$documentRepo->setVisibilityPublished($document);
4 years ago
4 years ago
/** @var ResourceLink $link */
$link = $document->getFirstResourceLink();
4 years ago
$this->expectException(LogicException::class);
4 years ago
$link->setVisibility(888);
$link->setUserGroup(null);
$this->assertFalse($link->hasGroup());
$this->assertFalse($link->hasSession());
$this->assertTrue($link->isPublished());
$this->assertFalse($link->isDraft());
$this->assertFalse($link->isPending());
$this->assertSame(ResourceLink::VISIBILITY_PUBLISHED, $link->getVisibility());
4 years ago
$this->assertSame('Published', $link->getVisibilityName());
$documentRepo->setVisibilityDraft($document);
$link = $document->getFirstResourceLink();
$this->assertSame(ResourceLink::VISIBILITY_DRAFT, $link->getVisibility());
4 years ago
$this->assertSame('Draft', $link->getVisibilityName());
$documentRepo->toggleVisibilityPublishedDraft($document);
$link = $document->getFirstResourceLink();
$this->assertSame(ResourceLink::VISIBILITY_PUBLISHED, $link->getVisibility());
4 years ago
$this->assertSame('Published', $link->getVisibilityName());
$documentRepo->toggleVisibilityPublishedDraft($document);
$link = $document->getFirstResourceLink();
$this->assertSame(ResourceLink::VISIBILITY_DRAFT, $link->getVisibility());
$documentRepo->setVisibilityPending($document);
$link = $document->getFirstResourceLink();
$this->assertSame(ResourceLink::VISIBILITY_PENDING, $link->getVisibility());
4 years ago
$this->assertSame('Pending', $link->getVisibilityName());
$link = $document->getFirstResourceLink();
Internal: Move display_order from ResourceNode to ResourceLink (#5143) * Internal: Move display_order from ResourceNode to ResourceLink #5137 * Internal: Use ResourceLink $displayOrder instead of ResourceNode $displayOrder #5137 * Internal: Remove ResourceNode $displayOrder #5137 * Vendor: Bump stof/doctrine-extensions-bundle version to 1.10 #5137 * Forum: Fix query to get forums in category ordered by resourceLink.displayOrder * LP: Refactoring delete method to mark the resource link as deleted instead of remove the lp as resource * LP: Fix query to set a custom order in lp list * LP: Fix buttons to sort learn paths * Rename ResourceNode::getResourceLinkByTypeGroup to ResourceNode::getResourceLinkByContext and change order or its params * LP: Change display resource link display order when moving category position * LP: Fix layout for old list view * Forum: Fix sorting for forums and categories * Course Progress: Fix sorting for sections * Internal: Enable SoftDeleteable for ResourceLink entities * Remove ResourceLink::VISIBILITY_DELETED in favor of soft delete * Internal: Refactoring migration about display_order in course tools * LP: Refactoring the category delete method to make a soft delete of the resource link * LP: Refactoring the thematic delete method to make a soft delete of the resource link * LP: Refactoring the forum delete methods to make a soft delete of the resource link * Add shortcut method to remove resource link from its resource * CI: Fix ResourceNodeRepositoryTest by adding a link to the resource node * Internal: Migration: Drop display_order column from c_lp table * Internal: Migration: Drop position column from c_lp_category table * Internal: Migration: Drop cat_order column from c_forum_category table * Internal: Migration: Drop forum_order column from c_forum_forum table * Internal: Migration: Drop display_order column from c_thematic table * Minor: Format code * Announcement: Fix order of the course announcements * Internal: Refactoring migration * Internal: Migration: Drop display_order column from c_glossary table * Refactoring method to move display order of resource links
2 years ago
$linksRepo->remove($link);
$this->assertTrue($link->isDeleted());
}
public function testGetTotalSpaceByCourse(): void
{
$course = $this->createCourse('Test');
$admin = $this->getUser('admin');
$em = $this->getEntityManager();
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
$total = $documentRepo->getTotalSpaceByCourse($course);
$this->assertSame(0, $total);
$document = (new CDocument())
->setFiletype('file')
->setTitle('title')
->setParent($course)
->setCreator($admin)
->addCourseLink($course)
;
$documentRepo->create($document);
$documentRepo->addFile($document, $this->getUploadedFile());
$em->flush();
$total = $documentRepo->getTotalSpaceByCourse($course);
$this->assertSame($this->getUploadedFile()->getSize(), $total);
$documentRepo->delete($document);
$this->assertSame(0, $documentRepo->count([]));
}
4 years ago
public function testToggleVisibility(): void
{
$client = static::createClient();
$admin = $this->getUser('admin');
$course = $this->createCourse('Test');
$documentRepo = self::getContainer()->get(CDocumentRepository::class);
$document = (new CDocument())
->setFiletype('file')
->setTitle('title123')
->setParent($course)
->setCreator($admin)
->addCourseLink($course)
;
$documentRepo->create($document);
$link = $document->getFirstResourceLink();
$this->assertSame(ResourceLink::VISIBILITY_PUBLISHED, $link->getVisibility());
$documentId = $document->getIid();
$url = '/api/documents/'.$documentId.'/toggle_visibility';
// Not logged in.
$client->request('PUT', $url);
$this->assertResponseStatusCodeSame(401);
// Another user.
$this->createUser('another');
$client = $this->getClientWithGuiCredentials('another', 'another');
$client->request('PUT', $url);
// Admin.
$token = $this->getUserToken([]);
$this->createClientWithCredentials($token)->request(
'PUT',
$url,
[
'headers' => [
'Content-Type' => 'application/json',
],
]
);
$this->assertResponseIsSuccessful();
$document = $documentRepo->find($document->getIid());
$link = $document->getFirstResourceLink();
$this->assertSame(ResourceLink::VISIBILITY_DRAFT, $link->getVisibility());
}
}