Please make sure you install the package kbsali/redmine-api
with a PSR-4 autoloader like
Composer.
php composer.phar require kbsali/redmine-api
This will create a new entry in your composer.json
.
{
"require": {
+ "kbsali/redmine-api": "^2.2"
}
}
As an alternative you can download the code with all required dependencies from php-download.com and unzip all files in your project folder. The service will create the autoloader for you.
Create your project e.g. in the index.php
by requiring the vendor/autoload.php
file.
+<?php
+
+require_once 'vendor/autoload.php';
You can choose between the native cURL
client or the PSR-18
compatible
client.
💡 The
Redmine\Client\NativeCurlClient
class was introduced inv1.8.0
.
Every client requires a URL to your Redmine instance and either a valid Apikey...
<?php
require_once 'vendor/autoload.php';
+
+// Instantiate with ApiKey
+$client = new \Redmine\Client('http://localhost', '1234567890abcdfgh');
... or valid username/password.
<?php
require_once 'vendor/autoload.php';
+
+// Instantiate with Username/Password (not recommended)
+$client = new \Redmine\Client('http://redmine.example.com', 'username', 'password');
💡 For security reason it is recommended that you use an ApiKey rather than your username/password.
After you instantiate a client you can set cURL
options. Please note that for
functional reasons some cURL
options (like CURLOPT_CUSTOMREQUEST
,
CURLOPT_POST
and CURLOPT_POSTFIELDS
) can not be changed.
<?php
require_once 'vendor/autoload.php';
// Instantiate with ApiKey
$client = new \Redmine\Client('https://redmine.example.com', '1234567890abcdfgh');
+
+// [OPTIONAL] if you want to check the servers' SSL certificate on cURL call
+$client->setCurlOption(CURLOPT_SSL_VERIFYPEER, true);
+
+// [OPTIONAL] check the servers ssl version
+$client->setCurlOption(CURLOPT_SSLVERSION, CURL_SSLVERSION_DEFAULT);
+
+// [OPTIONAL] set custom http headers
+$client->setCurlOption(CURLOPT_HTTPHEADER, ['X-Redmine-API-Key: secret_access_key']);
💡 The
Redmine\Client\Psr18Client
class was introduced inv1.7.0
.
The Psr18Client
requires
- a
Psr\Http\Client\ClientInterface
implementation (like guzzlehttp/guzzle) (possible implementations) - a
Psr\Http\Message\RequestFactoryInterface
implementation (like nyholm/psr7) (possible implementations) - a
Psr\Http\Message\StreamFactoryInterface
implementation (like nyholm/psr7) (possible implementations) - a URL to your Redmine instance
- an Apikey or username
- and optional a password if you want tu use username/password.
💡 For security reason it is recommended that you use an ApiKey rather than your username/password.
<?php
require_once 'vendor/autoload.php';
+
+$guzzle = \GuzzleHttp\Client();
+$psr17Factory = new \GuzzleHttp\Psr7\HttpFactory();
+
+// Instantiate with ApiKey
+$client = new Redmine\Client\Prs18Client($guzzle, $psr17Factory, $psr17Factory, 'https://redmine.example.com', '1234567890abcdfgh');
+// ...or Instantiate with Username/Password (not recommended)
+$client = new Redmine\Client\Prs18Client($guzzle, $psr17Factory, $psr17Factory, 'https://redmine.example.com', 'username', 'password');
Because the Psr18Client
is agnostic about the HTTP client implementation every
configuration specific to the transport has to be set to the
Psr\Http\Client\ClientInterface
implementation.
This means that if you want to set any cURL
settings to Guzzle
you have
multiple ways to set them:
- Using Guzzle environment variables
- Using request options inside a
Psr\Http\Client\ClientInterface
wrapper:
<?php
require_once 'vendor/autoload.php';
+use Psr\Http\Client\ClientInterface;
+use Psr\Http\Message\RequestInterface;
+use Psr\Http\Message\ResponseInterface;
+
$guzzle = \GuzzleHttp\Client();
$psr17Factory = new \GuzzleHttp\Psr7\HttpFactory();
+$guzzleWrapper = new class(\GuzzleHttp\Client $guzzle) implements ClientInterface
+{
+ private $guzzle;
+
+ public function __construct(\GuzzleHttp\Client $guzzle)
+ {
+ $this->guzzle = $guzzle;
+ }
+
+ public function sendRequest(RequestInterface $request): ResponseInterface
+ {
+ return $this->guzzle->send($request, [
+ // Set the options for every request here
+ 'auth' => ['username', 'password', 'digest'],
+ 'cert' => ['/path/server.pem', 'password'],
+ 'connect_timeout' => 3.14,
+ // Set specific CURL options, see https://docs.guzzlephp.org/en/stable/faq.html#how-can-i-add-custom-curl-options
+ 'curl' => [
+ CURLOPT_SSL_VERIFYPEER => 1,
+ CURLOPT_SSL_VERIFYHOST => 2,
+ CURLOPT_SSLVERSION => CURL_SSLVERSION_TLSv1_2,
+ ],
+ ]);
+ }
+};
+
// Instantiate with ApiKey
-$client = new \Redmine\Client\Prs18Client($guzzle, $psr17Factory, $psr17Factory, 'https://redmine.example.com', '1234567890abcdfgh');
+$client = new \Redmine\Client\Prs18Client($guzzleWrapper, $psr17Factory, $psr17Factory, 'https://redmine.example.com', '1234567890abcdfgh');
Redmine allows you to impersonate another user.
This can be done using the methods startImpersonateUser()
and stopImpersonateUser()
.
$client->startImpersonateUser('kim');
// all requests will now impersonate the user `kim`
// To stop impersonation
$client->stopImpersonateUser();
Every exception implement the interface Redmine\Exception
making it easy to catch Redmine specific issues.
💡 The
Redmine\Exception
interface was introduced inv2.1.0
.
try {
$client->getApi('issue')->create($data);
} catch (\Redmine\Exception $e) {
// exceptions from kbsali/redmine-api
} catch (\Throwable $e) {
// other errors
}
You can now use the getApi()
method to create and get a specific Redmine API.
$api = $client->getApi('issue');
This simplifies common use-cases and gives you some features like caching and assigning a user to an issue by username instead of the user ID.
To check for failed requests you can afterwards check the status code via $api->getLastResponse()->getStatusCode()
.
$client->getApi('tracker')->list();
$client->getApi('tracker')->listNames();
$client->getApi('issue_status')->list();
$client->getApi('issue_status')->listNames();
$client->getApi('project')->list();
$client->getApi('project')->list([
'limit' => 10,
]);
$client->getApi('project')->listNames();
$client->getApi('project')->show($projectId);
$client->getApi('project')->create([
'name' => 'some name',
'identifier' => 'the_identifier',
'tracker_ids' => [],
]);
$client->getApi('project')->update($projectId, [
'name' => 'different name',
]);
$client->getApi('project')->close($projectId);
$client->getApi('project')->reopen($projectId);
$client->getApi('project')->archive($projectId);
$client->getApi('project')->unarchive($projectId);
$client->getApi('project')->remove($projectId);
$client->getApi('user')->list();
$client->getApi('user')->listLogins();
$client->getApi('user')->getCurrentUser([
'include' => [
'memberships',
'groups',
'api_key',
'status',
],
]);
$client->getApi('user')->show($userId, [
'include' => [
'memberships',
'groups',
'api_key',
'status',
],
]);
$client->getApi('user')->update($userId, [
'firstname' => 'Raul',
]);
$client->getApi('user')->remove($userId);
$client->getApi('user')->create([
'login' => 'test',
'firstname' => 'test',
'lastname' => 'test',
'mail' => '[email protected]',
]);
$client->getApi('issue')->show($issueId);
$client->getApi('issue')->list([
'limit' => 100,
]);
$client->getApi('issue')->list(['category_id' => $categoryId]);
$client->getApi('issue')->list(['tracker_id' => $trackerId]);
$client->getApi('issue')->list(['status_id' => 'closed']);
$client->getApi('issue')->list(['assigned_to_id' => $userId]);
$client->getApi('issue')->list(['project_id' => 'test']);
$client->getApi('issue')->list([
'offset' => 100,
'limit' => 100,
'sort' => 'id',
'project_id' => 'test',
'tracker_id' => $trackerId,
'status_id' => 'open',
'assigned_to_id' => $userId,
// 'cf_x' => ,
'query_id' => 3,
'cf_1' => 'some value of this custom field', // where 1 = id of the customer field
// cf_SOME_CUSTOM_FIELD_ID => 'value'
]);
$client->getApi('issue')->create([
'project_id' => 'test',
'subject' => 'test api (xml) 3',
'description' => 'test api',
'assigned_to_id' => $userId,
'custom_fields' => [
[
'id' => 2,
'name' => 'Issuer',
'value' => $_POST['ISSUER'],
],
[
'id' => 5,
'name' => 'Phone',
'value' => $_POST['PHONE'],
],
[
'id' => '8',
'name' => 'Email',
'value' => $_POST['EMAIL'],
],
],
'watcher_user_ids' => [],
]);
$client->getApi('issue')->update($issueId, [
// 'subject' => 'test note (xml) 1',
// 'notes' => 'test note api',
// 'assigned_to_id' => $userId,
// 'status_id' => 2,
'status' => 'Resolved',
'priority_id' => 5,
'due_date' => date('Y-m-d'),
]);
$client->getApi('issue')->addWatcher($issueId, $userId);
$client->getApi('issue')->removeWatcher($issueId, $userId);
$client->getApi('issue')->setIssueStatus($issueId, 'Resolved');
$client->getApi('issue')->addNoteToIssue($issueId, 'some comment');
$client->getApi('issue')->addNoteToIssue($issueId, 'private note', true);
$client->getApi('issue')->remove($issueId);
// To upload a file + attach it to an existing issue with $issueId
$upload = json_decode($client->getApi('attachment')->upload($filecontent));
$client->getApi('issue')->attach($issueId, [
'token' => $upload->upload->token,
'filename' => 'MyFile.pdf',
'description' => 'MyFile is better then YourFile...',
'content_type' => 'application/pdf',
]);
// Or, create a new issue with the file attached in one step
$upload = json_decode($client->getApi('attachment')->upload($filecontent));
$client->getApi('issue')->create([
'project_id' => 'myproject',
'subject' => 'A test issue',
'description' => 'Here goes the issue description',
'uploads' => [
[
'token' => $upload->upload->token,
'filename' => 'MyFile.pdf',
'description' => 'MyFile is better then YourFile...',
'content_type' => 'application/pdf',
],
],
]);
// Issues' stats (see https://github.com/kbsali/php-redmine-api/issues/44)
$issues['all'] = $client->getApi('issue')->list([
'limit' => 1,
'tracker_id' => 1,
'status_id' => '*',
])['total_count'];
$issues['opened'] = $client->getApi('issue')->list([
'limit' => 1,
'tracker_id' => 1,
'status_id' => 'open',
])['total_count'];
$issues['closed'] = $client->getApi('issue')->list([
'limit' => 1,
'tracker_id' => 1,
'status_id' => 'closed',
])['total_count'];
print_r($issues);
/*
Array
(
[all] => 8
[opened] => 7
[closed] => 1
)
*/
$client->getApi('issue_category')->listByProject('project1');
$client->getApi('issue_category')->listNamesByProject($projectId);
$client->getApi('issue_category')->show($categoryId);
$client->getApi('issue_category')->create('otherProject', [
'name' => 'test category',
]);
$client->getApi('issue_category')->update($categoryId, [
'name' => 'new category name',
]);
$client->getApi('issue_category')->remove($categoryId);
$client->getApi('issue_category')->remove($categoryId, [
'reassign_to_id' => $userId,
]);
$client->getApi('version')->listByProject('test');
$client->getApi('version')->listNamesByProject('test');
$client->getApi('version')->show($versionId);
$client->getApi('version')->create('test', [
'name' => 'v3432',
]);
$client->getApi('version')->update($versionId, [
'name' => 'v1121',
]);
$client->getApi('version')->remove($versionId);
$client->getApi('attachment')->show($attachmentId);
$client->getApi('attachment')->upload(file_get_contents('example.png'), [
'filename' => 'example.png',
]);
$client->getApi('attachment')->update($attachmentId, [
'filename' => 'example.png',
]);
$file_content = $client->getApi('attachment')->download($attachmentId);
file_put_contents('example.png', $file_content);
$client->getApi('attachment')->remove($attachmentId);
$client->getApi('news')->list();
$client->getApi('news')->listByProject('test');
$client->getApi('role')->list();
$client->getApi('role')->listNames();
$client->getApi('role')->show(1);
$client->getApi('query')->list();
$client->getApi('time_entry')->list();
$client->getApi('time_entry')->show($timeEntryId);
$client->getApi('time_entry')->list([
'issue_id' => 1234,
'project_id' => 1234,
'spent_on' => '2015-04-13',
'user_id' => 168,
'activity_id' => 13,
]);
$client->getApi('time_entry')->create([
'project_id' => $projectId,
// 'issue_id' => 140,
// 'spent_on' => null,
'hours' => 12,
'activity_id' => 8,
'comments' => 'BOUH!',
'custom_fields' => [
[
'id' => 1,
'name' => 'Affected version',
'value' => '1.0.1',
],
],
]);
$client->getApi('time_entry')->update($timeEntryId, [
'issue_id' => $issueId,
// 'spent_on' => null,
'hours' => 8,
'activity_id' => 9,
'comments' => 'blablabla!',
'custom_fields' => [
[
'id' => 2,
'name' => 'Resolution',
'value' => 'Fixed',
],
],
]);
$client->getApi('time_entry')->remove($timeEntryId);
$client->getApi('time_entry_activity')->list();
$client->getApi('time_entry_activity')->listNames();
$client->getApi('issue_relation')->listByIssueId($issueId);
$client->getApi('issue_relation')->show($issueRelationId);
$client->getApi('issue_relation')->create($issueId, [
'relation_type' => 'relates',
'issue_to_id' => $issueToId,
]);
$client->getApi('issue_relation')->remove($issueRelationId);
$client->getApi('group')->list();
$client->getApi('group')->listNames();
$client->getApi('group')->show($groupId, ['include' => 'users,memberships']);
$client->getApi('group')->remove($groupId);
$client->getApi('group')->addUser($groupId, $userId);
$client->getApi('group')->removeUser($groupId, $userId);
$client->getApi('group')->create([
'name' => 'asdf',
'user_ids' => [1, 2],
'custom_fields' => [
[
'id' => 123,
'name' => 'cf_name',
'value' => 'cf_value',
],
],
]);
$client->getApi('group')->update($groupId, [
'name' => 'asdf',
// Note: you can only add users this way; use removeUser to remove a user
'user_ids' => [1, 2],
'custom_fields' => [
[
'id' => 123,
'name' => 'cf_name',
'value' => 'cf_value',
],
],
]);
$client->getApi('membership')->listByProject($projectId);
$client->getApi('membership')->create($projectId, [
'user_id' => 1,
'role_ids' => [5],
]);
$client->getApi('membership')->update($membershipId, [
'user_id' => 1,
'role_ids' => [5],
]);
$client->getApi('membership')->remove($membershipId);
$client->getApi('membership')->removeMember($projectId, $userId);
$client->getApi('issue_priority')->list();
$client->getApi('wiki')->listByProject('testProject');
$client->getApi('wiki')->show('testProject', 'about');
$client->getApi('wiki')->show('testProject', 'about', $version);
$client->getApi('wiki')->create('testProject', 'about', [
'text' => null,
'comments' => null,
'version' => null,
]);
$client->getApi('wiki')->update('testProject', 'about', [
'text' => null,
'comments' => null,
'version' => null,
]);
$client->getApi('wiki')->remove('testProject', 'about');
$client->getApi('search')->listByQuery('search query', ['limit' => 100]);
$client->getApi('custom_field')->list();
$client->getApi('custom_field')->listNames();
If some features are missing in getApi()
you are welcome to create a PR. Besides, it is always possible to use the low-level API.
The low-level API allows you to send highly customized requests to the Redmine server.
💡 See the Redmine REST-API docs for available endpoints and required parameters.
The client has a method for requests:
request(\Redmine\Http\Request $request): \Redmine\Http\Response
There is also a HttpFactory
to create Request
objects:
\Redmine\Http\HttpFactory::makeJsonRequest()
creates a\Redmine\Http\Request
instance for JSON requests\Redmine\Http\HttpFactory::makeXmlRequest()
creates a\Redmine\Http\Request
instance for XML requests
Using this method and the HttpFactory
you can use every Redmine API endpoint. The following example shows you how to rename a project and add a custom field. To build the XML body you can use the XmlSerializer
.
$response = $client->request(
\Redmine\Http\HttpFactory::makeXmlRequest(
'PUT',
'/projects/1.xml',
(string) \Redmine\Serializer\XmlSerializer::createFromArray([
'project' => [
'name' => 'renamed project',
'custom_fields' => [
[
'id' => 123,
'name' => 'cf_name',
'field_format' => 'string',
'value' => [1, 2, 3],
],
],
],
]),
),
);
💡 Use
\Redmine\Serializer\JsonSerializer
andHttpFactory::makeJsonRequest()
if you want to use the JSON endpoint.
Or to fetch data with complex query parameters you can use the PathSerializer
:
$response = $client->request(
\Redmine\Http\HttpFactory::makeJsonRequest(
'GET',
(string) \Redmine\Serializer\PathSerializer::create(
'/time_entries.json',
[
'f' => ['spent_on'],
'op' => ['spent_on' => '><'],
'v' => [
'spent_on' => [
'2016-01-18',
'2016-01-22',
],
],
],
),
),
);
After the request you can use these 3 methods to work with the \Redmine\Http\Response
instance:
getStatusCode()
getContentType()
getContent()
To parse the response body to an array you can use XmlSerializer
:
if ($response->getStatusCode() === 200) {
$responseAsArray = \Redmine\Serializer\XmlSerializer::createFromString(
$response->getContent(),
)->getNormalized();
}
💡 Use
\Redmine\Serializer\JsonSerializer
if you have send the request as JSON.