Code Coverage
 
Lines
Functions and Methods
Classes and Traits
Total
54.78% covered (warning)
54.78%
63 / 115
16.67% covered (danger)
16.67%
1 / 6
CRAP
0.00% covered (danger)
0.00%
0 / 1
Licenser
54.78% covered (warning)
54.78%
63 / 115
16.67% covered (danger)
16.67%
1 / 6
100.48
0.00% covered (danger)
0.00%
0 / 1
 __construct
100.00% covered (success)
100.00%
7 / 7
100.00% covered (success)
100.00%
1 / 1
1
 copyLicenses
0.00% covered (danger)
0.00%
0 / 33
0.00% covered (danger)
0.00%
0 / 1
20
 findLicenseFiles
80.00% covered (warning)
80.00%
8 / 10
0.00% covered (danger)
0.00%
0 / 1
5.20
 getDiscoveredLicenseFiles
0.00% covered (danger)
0.00%
0 / 1
0.00% covered (danger)
0.00%
0 / 1
2
 addInformationToUpdatedFiles
0.00% covered (danger)
0.00%
0 / 15
0.00% covered (danger)
0.00%
0 / 1
20
 addChangeDeclarationToPhpString
97.96% covered (success)
97.96%
48 / 49
0.00% covered (danger)
0.00%
0 / 1
13
1<?php
2/**
3 * Copies license files from original folders.
4 * Edits Phpdoc to record the file was changed.
5 *
6 * MIT states: "The above copyright notice and this permission notice shall be
7 * included in all copies or substantial portions of the Software."
8 *
9 * GPL states: "You must cause the modified files to carry prominent notices stating
10 * that you changed the files and the date of any change."
11 *
12 * @see https://github.com/coenjacobs/mozart/issues/87
13 *
14 * @author BrianHenryIE
15 */
16
17namespace BrianHenryIE\Strauss\Pipeline;
18
19use BrianHenryIE\Strauss\Composer\ComposerPackage;
20use BrianHenryIE\Strauss\Composer\Extra\StraussConfig;
21use BrianHenryIE\Strauss\Helpers\FileSystem;
22use League\Flysystem\FilesystemException;
23use Psr\Log\LoggerAwareTrait;
24use Psr\Log\LoggerInterface;
25use Psr\Log\NullLogger;
26
27class Licenser
28{
29    use LoggerAwareTrait;
30
31    /** @var ComposerPackage[]  */
32    protected array $dependencies;
33
34    // The author of the current project who is running Strauss to make the changes to the required libraries.
35    protected string $author;
36
37    protected bool $includeModifiedDate;
38
39    /**
40     * @see StraussConfig::isIncludeAuthor()
41     * @var bool
42     */
43    protected bool $includeAuthor = true;
44
45    /**
46     * An array of files relative to the project vendor folder.
47     *
48     * @var string[]
49     */
50    protected array $discoveredLicenseFiles = array();
51
52    protected FileSystem $filesystem;
53
54    protected StraussConfig $config;
55
56    /**
57     * Licenser constructor.
58     *
59     * @param ComposerPackage[] $dependencies Whose folders are searched for existing license.txt files.
60     * @param string $author To add to each modified file's header
61     */
62    public function __construct(
63        StraussConfig $config,
64        array $dependencies,
65        string $author,
66        FileSystem $filesystem,
67        ?LoggerInterface $logger = null
68    ) {
69        $this->dependencies = $dependencies;
70        $this->author = $author;
71
72        $this->includeModifiedDate = $config->isIncludeModifiedDate();
73        $this->includeAuthor = $config->isIncludeAuthor();
74
75        $this->filesystem = $filesystem;
76
77        $this->config = $config;
78
79        $this->setLogger($logger ?? new NullLogger());
80    }
81
82    /**
83     * @throws FilesystemException
84     */
85    public function copyLicenses(): void
86    {
87        $this->findLicenseFiles();
88
89        foreach ($this->getDiscoveredLicenseFiles() as $licenseFile) {
90            $targetLicenseFile = str_replace(
91                $this->config->getVendorDirectory(),
92                $this->config->getTargetDirectory(),
93                $licenseFile
94            );
95
96            $targetLicenseFileDir = dirname($targetLicenseFile);
97
98            // Don't try copy it if it's already there.
99            if ($this->filesystem->fileExists($targetLicenseFile)) {
100                $this->logger->debug(sprintf(
101                    "Skipping %s because it already exists at %s",
102                    basename($licenseFile),
103                    $targetLicenseFile
104                ));
105                continue;
106            }
107
108            // Don't add licenses to non-existent directories – there were no files copied there!
109            if (! $this->filesystem->directoryExists($targetLicenseFileDir)) {
110                $this->logger->debug(sprintf(
111                    "Skipping %s because the directory %s does not exist",
112                    basename($licenseFile),
113                    $targetLicenseFileDir
114                ));
115                continue;
116            }
117
118            $this->logger->info(
119                sprintf(
120                    "Copying license file from %s to %s",
121                    basename($licenseFile),
122                    $targetLicenseFile
123                )
124            );
125            $this->filesystem->copy(
126                $licenseFile,
127                $targetLicenseFile
128            );
129        }
130    }
131
132    /**
133     * @see https://www.phpliveregex.com/p/A5y
134     */
135    public function findLicenseFiles(): void
136    {
137        // Include all license files in the dependency path.
138
139        /** @var ComposerPackage $dependency */
140        foreach ($this->dependencies as $dependency) {
141            $packagePath = $dependency->getPackageAbsolutePath();
142
143            $files = $this->filesystem->listContents($packagePath, true);
144            foreach ($files as $file) {
145                $filePath = '/' . $file->path();
146
147                // If packages happen to have their vendor dir, i.e. locally required packages, don't included the licenses
148                // from their vendor dir (they should be included otherwise anyway).
149                // I.e. in symlinked packages, the vendor dir might still exist.
150                if (0 === strpos($packagePath . '/vendor', $filePath)) {
151                    continue;
152                }
153
154                if (!preg_match('/^.*licen.e.*/i', $filePath)) {
155                    continue;
156                }
157
158                $this->discoveredLicenseFiles[$filePath] = $dependency->getPackageName();
159            }
160        }
161    }
162    /**
163     * @return string[]
164     */
165    public function getDiscoveredLicenseFiles(): array
166    {
167        return array_keys($this->discoveredLicenseFiles);
168    }
169
170    /**
171     * @param array<string, ComposerPackage> $modifiedFiles
172     *
173     * @throws \Exception
174     * @throws FilesystemException
175     */
176    public function addInformationToUpdatedFiles(array $modifiedFiles): void
177    {
178        // E.g. "25-April-2021".
179        $date = gmdate("d-F-Y", time());
180
181        foreach ($modifiedFiles as $relativeFilePath => $package) {
182            $filepath = $this->config->getTargetDirectory() . $relativeFilePath;
183
184            if (!$this->filesystem->fileExists($filepath)) {
185                continue;
186            }
187
188            $contents = $this->filesystem->read($filepath);
189
190            $updatedContents = $this->addChangeDeclarationToPhpString(
191                $contents,
192                $date,
193                $package->getPackageName(),
194                $package->getLicense()
195            );
196
197            if ($updatedContents !== $contents) {
198                $this->logger->info("Adding change declaration to {$filepath}");
199                $this->filesystem->write($filepath, $updatedContents);
200            }
201        }
202    }
203
204    /**
205     * Given a php file as a string, edit its header phpdoc, or add a header, to include:
206     *
207     * "Modified by {author} on {date} using Strauss.
208     * @see https://github.com/BrianHenryIE/strauss"
209     *
210     * Should probably include the original license in each file since it'll often be a mix, with the parent
211     * project often being a GPL WordPress plugin.
212     *
213     * Find the string between the end of php-opener and the first valid code.
214     * First valid code will be a line whose first non-whitespace character is not / or * ?... NO!
215     * If the first non whitespace string after php-opener is multiline-comment-opener, find the
216     * closing multiline-comment-closer
217     * / If there's already a comment, work within that comment
218     * If there is no mention in the header of the license already, add it.
219     * Add a note that changes have been made.
220     *
221     * @param string $phpString Code.
222     */
223    public function addChangeDeclarationToPhpString(
224        string $phpString,
225        string $modifiedDate,
226        string $packageName,
227        string $packageLicense
228    ) : string {
229
230        $author = $this->author;
231
232        $licenseDeclaration = "@license {$packageLicense}";
233        $modifiedDeclaration = 'Modified';
234        if ($this->includeAuthor) {
235            $modifiedDeclaration .= " by {$author}";
236        }
237        if ($this->includeModifiedDate) {
238            $modifiedDeclaration .= " on {$modifiedDate}";
239        }
240        $straussLink = 'https://github.com/BrianHenryIE/strauss';
241        $modifiedDeclaration .= " using {@see {$straussLink}}.";
242
243        $startOfFileArray = [];
244        $tokenizeString =  token_get_all($phpString);
245
246        foreach ($tokenizeString as $token) {
247            if (is_array($token) && !in_array($token[1], ['namespace', '/*', ' /*'])) {
248                $startOfFileArray[] = $token[1];
249                $token = array_shift($tokenizeString);
250
251                if (is_array($token) && stristr($token[1], 'strauss')) {
252                    return $phpString;
253                }
254            } elseif (!is_array($token)) {
255                $startOfFileArray[] = $token;
256            }
257        }
258        // Not in use yet (because all tests are passing) but the idea of capturing the file header and only editing
259        // that seems more reasonable than searching the whole file.
260        $startOfFile = implode('', $startOfFileArray);
261
262        // php-open followed by some whitespace and new line until the first ...
263        $noCommentBetweenPhpOpenAndFirstCodePattern = '~<\?php[\s\n]*[\w\\\?]+~';
264
265        $multilineCommentCapturePattern = '
266            ~                        # Start the pattern
267            (
268            <\?php[\S\s]*            #  match the beginning of the files php-open and following whitespace
269            )
270            (
271            \*[\S\s.]*               # followed by a multiline-comment-open
272            )
273            (
274            \*/                      # Capture the multiline-comment-close separately
275            )
276            ~Ux';                          // U: Non-greedy matching, x: ignore whitespace in pattern.
277
278        $replaceInMultilineCommentFunction = function ($matches) use (
279            $licenseDeclaration,
280            $modifiedDeclaration
281        ) {
282            // Find the line prefix and use it, i.e. could be none, asterisk or space-asterisk.
283            $commentLines = explode("\n", $matches[2]);
284
285            if (isset($commentLines[1])&& 1 === preg_match('/^([\s\\\*]*)/', $commentLines[1], $output_array)) {
286                $lineStart = $output_array[1];
287            } else {
288                $lineStart = ' * ';
289            }
290
291            $appendString = "*\n";
292
293            // If the license is not already specified in the header, add it.
294            if (false === strpos($matches[2], 'licen')) {
295                $appendString .= "{$lineStart}{$licenseDeclaration}\n";
296            }
297
298            $appendString .= "{$lineStart}{$modifiedDeclaration}\n";
299
300            $commentEnd =  rtrim(rtrim($lineStart, ' '), '*').'*/';
301
302            $replaceWith = $matches[1] . $matches[2] . $appendString . $commentEnd;
303
304            return $replaceWith;
305        };
306
307        // If it's a simple case where there is no existing header, add the existing license.
308        if (1 === preg_match($noCommentBetweenPhpOpenAndFirstCodePattern, $phpString)) {
309            $modifiedComment = "/**\n * {$licenseDeclaration}\n *\n * {$modifiedDeclaration}\n */";
310            $updatedPhpString = preg_replace('~<\?php~', "<?php\n". $modifiedComment, $phpString, 1);
311        } else {
312            $updatedPhpString = preg_replace_callback(
313                $multilineCommentCapturePattern,
314                $replaceInMultilineCommentFunction,
315                $phpString,
316                1
317            );
318        }
319
320        /**
321         * In some cases `preg_replace_callback` returns `null` instead of the string. If that happens, return
322         * the original, unaltered string.
323         *
324         * @see https://github.com/BrianHenryIE/strauss/issues/115
325         */
326        return $updatedPhpString ?? $phpString;
327    }
328}