Completed
Pull Request — master (#106)
by
unknown
02:24
created

Task::apiAdd()   A

Complexity

Conditions 5
Paths 12

Size

Total Lines 28

Duplication

Lines 0
Ratio 0 %

Code Coverage

Tests 8
CRAP Score 5

Importance

Changes 0
Metric Value
dl 0
loc 28
ccs 8
cts 8
cp 1
rs 9.1608
c 0
b 0
f 0
cc 5
nc 12
nop 1
crap 5
1
<?php
2
3
namespace AmoCRM\Models;
4
5
use AmoCRM\Exception;
6
use AmoCRM\Models\Traits\SetDateCreate;
7
use AmoCRM\Models\Traits\SetLastModified;
8
use AmoCRM\NetworkException;
9
10
/**
11
 * Class Task
12
 *
13
 * Класс модель для работы с Задачами
14
 *
15
 * @package AmoCRM\Models
16
 * @author dotzero <[email protected]>
17
 * @link http://www.dotzero.ru/
18
 * @link https://github.com/dotzero/amocrm-php
19
 *
20
 * For the full copyright and license information, please view the LICENSE
21
 * file that was distributed with this source code.
22
 */
23
class Task extends AbstractModel
24
{
25
    use SetDateCreate, SetLastModified;
26
    
27
    /**
28
     * @var array Список доступный полей для модели (исключая кастомные поля)
29
     */
30
    protected $fields = [
31
        'created_by',
32
        'updated_by',
33
        'created_at',
34
        'updated_at',
35
        'responsible_user_id',
36
        'group_id',
37
        'entity_id',
38
        'entity_type',
39
        'duration',
40
        'is_completed',
41
        'task_type_id',
42
        'text',
43
        'result',
44
        'complete_till',
45
        'account_id'
46
    ];
47
    
48
    /**
49
     * @const int Типа задачи Контакт
50
     */
51
    const TYPE_CONTACT = 1;
52
    
53
    /**
54
     * @const int Типа задачи Сделка
55
     */
56
    const TYPE_LEAD = 2;
57
    
58
    /**
59
     * Сеттер для дата до которой необходимо завершить задачу
60
     *
61 2
     * Если указано время 23:59, то в интерфейсах системы
62
     * вместо времени будет отображаться "Весь день"
63 2
     *
64
     * @param string $date Дата в произвольном формате
65 2
     * @return $this
66
     */
67
    public function setCompleteTill($date)
68
    {
69
        $this->values['complete_till'] = strtotime($date);
70
        
71
        return $this;
72
    }
73
    
74
    /**
75
     * Список задач
76
     * Метод для получения списка задач с возможностью фильтрации и постраничной выборки.
77
     * Ограничение по возвращаемым на одной странице (offset) данным - 500 задач
78
     * @link https://developers.amocrm.ru/rest_api/tasks_list.php
79 1
     * @param array       $parameters Массив параметров к amoCRM API
80
     * @param string      $url
81 1
     * @param null|string $modified   Дополнительная фильтрация по (изменено с)
82
     * @return array Ответ amoCRM API
83 1
     * @throws Exception
84
     * @throws NetworkException
85
     */
86
    public function apiList($parameters, $url = '/private/api/v2/json/tasks/list', $modified = null)
87
    {
88
        $response = $this->getRequest($url, $parameters, $modified);
89
        
90
        return isset($response['tasks']) ? $response['tasks'] : [];
91
    }
92
    
93
    /**
94
     * Получение одной задачи
95 1
     * Метод для получения одной задачи по id
96
     * @link https://www.amocrm.ru/developers/content/crm_platform/tasks-api#task-detail
97 1
     * @param string      $taskId   идентификатор задачи
98 1
     * @param string      $url
99 1
     * @param null|string $modified Дополнительная фильтрация по (изменено с)
100
     * @return array Ответ amoCRM API
101
     * @throws Exception
102
     * @throws NetworkException
103 1
     */
104 1
    public function apiListItem($taskId, $url = '/api/v4/tasks/', $modified = null)
105 1
    {
106
        $response = $this->getRequest($url.$taskId, $modified);
0 ignored issues
show
Documentation introduced by
$modified is of type null|string, but the function expects a array.

It seems like the type of the argument is not accepted by the function/method which you are calling.

In some cases, in particular if PHP’s automatic type-juggling kicks in this might be fine. In other cases, however this might be a bug.

We suggest to add an explicit type cast like in the following example:

function acceptsInteger($int) { }

$x = '123'; // string "123"

// Instead of
acceptsInteger($x);

// we recommend to use
acceptsInteger((integer) $x);
Loading history...
107 1
        
108 1
        return isset($response['tasks']) ? $response['tasks'] : [];
109 1
    }
110
    
111 1
    /**
112
     * Добавление задачи
113 1
     *
114 1
     * Метод позволяет добавлять задачи по одной или пакетно
115 1
     *
116 1
     * @link https://developers.amocrm.ru/rest_api/tasks_set.php
117 1
     * @param array $tasks Массив задач для пакетного добавления
118
     * @return int|array Уникальный идентификатор задачи или массив при пакетном добавлении
119
     */
120
    public function apiAdd($tasks = [])
121 1
    {
122
        if (empty($tasks)) {
123
            $tasks = [$this];
124
        }
125
        
126
        $parameters = [
127
            'tasks' => [
128
                'add' => [],
129
            ],
130
        ];
131
        
132
        foreach ($tasks AS $task) {
133
            $parameters['tasks']['add'][] = $task->getValues();
134
        }
135
        
136 2
        $response = $this->postRequest('/private/api/v2/json/tasks/set', $parameters);
137
        
138 2
        if (isset($response['tasks']['add'])) {
139
            $result = array_map(function($item) {
140
                return $item['id'];
141
            }, $response['tasks']['add']);
142 1
        } else {
143 1
            return [];
144 1
        }
145
        
146 1
        return count($tasks) == 1 ? array_shift($result) : $result;
147 1
    }
148 1
    
149 1
    /**
150
     * Обновление задачи
151 1
     *
152
     * Метод позволяет обновлять данные по уже существующим задачам
153 1
     *
154
     * @link https://developers.amocrm.ru/rest_api/tasks_set.php
155 1
     * @param int $id Уникальный идентификатор задачи
156
     * @param string $text Текст задачи
157
     * @param string $modified Дата последнего изменения данной сущности
158
     * @return bool Флаг успешности выполнения запроса
159
     * @throws Exception
160
     */
161
    public function apiUpdate($id, $text, $modified = 'now')
162
    {
163
        $this->checkId($id);
164
        
165
        $parameters = [
166
            'tasks' => [
167
                'update' => [],
168
            ],
169
        ];
170
        
171
        $task = $this->getValues();
172
        $task['id'] = $id;
173
        $task['text'] = $text;
174
        $task['last_modified'] = strtotime($modified);
175
        
176
        $parameters['tasks']['update'][] = $task;
177
        
178
        $response = $this->postRequest('/private/api/v2/json/tasks/set', $parameters);
179
        
180
        return empty($response['tasks']['update']['errors']);
181
    }
182
}
183