@ -0,0 +1,352 @@ | |||||
<?php | |||||
/* | |||||
* This file is part of Composer. | |||||
* | |||||
* (c) Nils Adermann <naderman@naderman.de> | |||||
* Jordi Boggiano <j.boggiano@seld.be> | |||||
* | |||||
* For the full copyright and license information, please view the LICENSE | |||||
* file that was distributed with this source code. | |||||
*/ | |||||
namespace Composer; | |||||
use Composer\Autoload\ClassLoader; | |||||
use Composer\Semver\VersionParser; | |||||
/** | |||||
* This class is copied in every Composer installed project and available to all | |||||
* | |||||
* See also https://getcomposer.org/doc/07-runtime.md#installed-versions | |||||
* | |||||
* To require its presence, you can require `composer-runtime-api ^2.0` | |||||
* | |||||
* @final | |||||
*/ | |||||
class InstalledVersions | |||||
{ | |||||
/** | |||||
* @var mixed[]|null | |||||
* @psalm-var array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>}|array{}|null | |||||
*/ | |||||
private static $installed; | |||||
/** | |||||
* @var bool|null | |||||
*/ | |||||
private static $canGetVendors; | |||||
/** | |||||
* @var array[] | |||||
* @psalm-var array<string, array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>}> | |||||
*/ | |||||
private static $installedByVendor = array(); | |||||
/** | |||||
* Returns a list of all package names which are present, either by being installed, replaced or provided | |||||
* | |||||
* @return string[] | |||||
* @psalm-return list<string> | |||||
*/ | |||||
public static function getInstalledPackages() | |||||
{ | |||||
$packages = array(); | |||||
foreach (self::getInstalled() as $installed) { | |||||
$packages[] = array_keys($installed['versions']); | |||||
} | |||||
if (1 === \count($packages)) { | |||||
return $packages[0]; | |||||
} | |||||
return array_keys(array_flip(\call_user_func_array('array_merge', $packages))); | |||||
} | |||||
/** | |||||
* Returns a list of all package names with a specific type e.g. 'library' | |||||
* | |||||
* @param string $type | |||||
* @return string[] | |||||
* @psalm-return list<string> | |||||
*/ | |||||
public static function getInstalledPackagesByType($type) | |||||
{ | |||||
$packagesByType = array(); | |||||
foreach (self::getInstalled() as $installed) { | |||||
foreach ($installed['versions'] as $name => $package) { | |||||
if (isset($package['type']) && $package['type'] === $type) { | |||||
$packagesByType[] = $name; | |||||
} | |||||
} | |||||
} | |||||
return $packagesByType; | |||||
} | |||||
/** | |||||
* Checks whether the given package is installed | |||||
* | |||||
* This also returns true if the package name is provided or replaced by another package | |||||
* | |||||
* @param string $packageName | |||||
* @param bool $includeDevRequirements | |||||
* @return bool | |||||
*/ | |||||
public static function isInstalled($packageName, $includeDevRequirements = true) | |||||
{ | |||||
foreach (self::getInstalled() as $installed) { | |||||
if (isset($installed['versions'][$packageName])) { | |||||
return $includeDevRequirements || empty($installed['versions'][$packageName]['dev_requirement']); | |||||
} | |||||
} | |||||
return false; | |||||
} | |||||
/** | |||||
* Checks whether the given package satisfies a version constraint | |||||
* | |||||
* e.g. If you want to know whether version 2.3+ of package foo/bar is installed, you would call: | |||||
* | |||||
* Composer\InstalledVersions::satisfies(new VersionParser, 'foo/bar', '^2.3') | |||||
* | |||||
* @param VersionParser $parser Install composer/semver to have access to this class and functionality | |||||
* @param string $packageName | |||||
* @param string|null $constraint A version constraint to check for, if you pass one you have to make sure composer/semver is required by your package | |||||
* @return bool | |||||
*/ | |||||
public static function satisfies(VersionParser $parser, $packageName, $constraint) | |||||
{ | |||||
$constraint = $parser->parseConstraints($constraint); | |||||
$provided = $parser->parseConstraints(self::getVersionRanges($packageName)); | |||||
return $provided->matches($constraint); | |||||
} | |||||
/** | |||||
* Returns a version constraint representing all the range(s) which are installed for a given package | |||||
* | |||||
* It is easier to use this via isInstalled() with the $constraint argument if you need to check | |||||
* whether a given version of a package is installed, and not just whether it exists | |||||
* | |||||
* @param string $packageName | |||||
* @return string Version constraint usable with composer/semver | |||||
*/ | |||||
public static function getVersionRanges($packageName) | |||||
{ | |||||
foreach (self::getInstalled() as $installed) { | |||||
if (!isset($installed['versions'][$packageName])) { | |||||
continue; | |||||
} | |||||
$ranges = array(); | |||||
if (isset($installed['versions'][$packageName]['pretty_version'])) { | |||||
$ranges[] = $installed['versions'][$packageName]['pretty_version']; | |||||
} | |||||
if (array_key_exists('aliases', $installed['versions'][$packageName])) { | |||||
$ranges = array_merge($ranges, $installed['versions'][$packageName]['aliases']); | |||||
} | |||||
if (array_key_exists('replaced', $installed['versions'][$packageName])) { | |||||
$ranges = array_merge($ranges, $installed['versions'][$packageName]['replaced']); | |||||
} | |||||
if (array_key_exists('provided', $installed['versions'][$packageName])) { | |||||
$ranges = array_merge($ranges, $installed['versions'][$packageName]['provided']); | |||||
} | |||||
return implode(' || ', $ranges); | |||||
} | |||||
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed'); | |||||
} | |||||
/** | |||||
* @param string $packageName | |||||
* @return string|null If the package is being replaced or provided but is not really installed, null will be returned as version, use satisfies or getVersionRanges if you need to know if a given version is present | |||||
*/ | |||||
public static function getVersion($packageName) | |||||
{ | |||||
foreach (self::getInstalled() as $installed) { | |||||
if (!isset($installed['versions'][$packageName])) { | |||||
continue; | |||||
} | |||||
if (!isset($installed['versions'][$packageName]['version'])) { | |||||
return null; | |||||
} | |||||
return $installed['versions'][$packageName]['version']; | |||||
} | |||||
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed'); | |||||
} | |||||
/** | |||||
* @param string $packageName | |||||
* @return string|null If the package is being replaced or provided but is not really installed, null will be returned as version, use satisfies or getVersionRanges if you need to know if a given version is present | |||||
*/ | |||||
public static function getPrettyVersion($packageName) | |||||
{ | |||||
foreach (self::getInstalled() as $installed) { | |||||
if (!isset($installed['versions'][$packageName])) { | |||||
continue; | |||||
} | |||||
if (!isset($installed['versions'][$packageName]['pretty_version'])) { | |||||
return null; | |||||
} | |||||
return $installed['versions'][$packageName]['pretty_version']; | |||||
} | |||||
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed'); | |||||
} | |||||
/** | |||||
* @param string $packageName | |||||
* @return string|null If the package is being replaced or provided but is not really installed, null will be returned as reference | |||||
*/ | |||||
public static function getReference($packageName) | |||||
{ | |||||
foreach (self::getInstalled() as $installed) { | |||||
if (!isset($installed['versions'][$packageName])) { | |||||
continue; | |||||
} | |||||
if (!isset($installed['versions'][$packageName]['reference'])) { | |||||
return null; | |||||
} | |||||
return $installed['versions'][$packageName]['reference']; | |||||
} | |||||
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed'); | |||||
} | |||||
/** | |||||
* @param string $packageName | |||||
* @return string|null If the package is being replaced or provided but is not really installed, null will be returned as install path. Packages of type metapackages also have a null install path. | |||||
*/ | |||||
public static function getInstallPath($packageName) | |||||
{ | |||||
foreach (self::getInstalled() as $installed) { | |||||
if (!isset($installed['versions'][$packageName])) { | |||||
continue; | |||||
} | |||||
return isset($installed['versions'][$packageName]['install_path']) ? $installed['versions'][$packageName]['install_path'] : null; | |||||
} | |||||
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed'); | |||||
} | |||||
/** | |||||
* @return array | |||||
* @psalm-return array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool} | |||||
*/ | |||||
public static function getRootPackage() | |||||
{ | |||||
$installed = self::getInstalled(); | |||||
return $installed[0]['root']; | |||||
} | |||||
/** | |||||
* Returns the raw installed.php data for custom implementations | |||||
* | |||||
* @deprecated Use getAllRawData() instead which returns all datasets for all autoloaders present in the process. getRawData only returns the first dataset loaded, which may not be what you expect. | |||||
* @return array[] | |||||
* @psalm-return array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>} | |||||
*/ | |||||
public static function getRawData() | |||||
{ | |||||
@trigger_error('getRawData only returns the first dataset loaded, which may not be what you expect. Use getAllRawData() instead which returns all datasets for all autoloaders present in the process.', E_USER_DEPRECATED); | |||||
if (null === self::$installed) { | |||||
// only require the installed.php file if this file is loaded from its dumped location, | |||||
// and not from its source location in the composer/composer package, see https://github.com/composer/composer/issues/9937 | |||||
if (substr(__DIR__, -8, 1) !== 'C') { | |||||
self::$installed = include __DIR__ . '/installed.php'; | |||||
} else { | |||||
self::$installed = array(); | |||||
} | |||||
} | |||||
return self::$installed; | |||||
} | |||||
/** | |||||
* Returns the raw data of all installed.php which are currently loaded for custom implementations | |||||
* | |||||
* @return array[] | |||||
* @psalm-return list<array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>}> | |||||
*/ | |||||
public static function getAllRawData() | |||||
{ | |||||
return self::getInstalled(); | |||||
} | |||||
/** | |||||
* Lets you reload the static array from another file | |||||
* | |||||
* This is only useful for complex integrations in which a project needs to use | |||||
* this class but then also needs to execute another project's autoloader in process, | |||||
* and wants to ensure both projects have access to their version of installed.php. | |||||
* | |||||
* A typical case would be PHPUnit, where it would need to make sure it reads all | |||||
* the data it needs from this class, then call reload() with | |||||
* `require $CWD/vendor/composer/installed.php` (or similar) as input to make sure | |||||
* the project in which it runs can then also use this class safely, without | |||||
* interference between PHPUnit's dependencies and the project's dependencies. | |||||
* | |||||
* @param array[] $data A vendor/composer/installed.php data set | |||||
* @return void | |||||
* | |||||
* @psalm-param array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>} $data | |||||
*/ | |||||
public static function reload($data) | |||||
{ | |||||
self::$installed = $data; | |||||
self::$installedByVendor = array(); | |||||
} | |||||
/** | |||||
* @return array[] | |||||
* @psalm-return list<array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>}> | |||||
*/ | |||||
private static function getInstalled() | |||||
{ | |||||
if (null === self::$canGetVendors) { | |||||
self::$canGetVendors = method_exists('Composer\Autoload\ClassLoader', 'getRegisteredLoaders'); | |||||
} | |||||
$installed = array(); | |||||
if (self::$canGetVendors) { | |||||
foreach (ClassLoader::getRegisteredLoaders() as $vendorDir => $loader) { | |||||
if (isset(self::$installedByVendor[$vendorDir])) { | |||||
$installed[] = self::$installedByVendor[$vendorDir]; | |||||
} elseif (is_file($vendorDir.'/composer/installed.php')) { | |||||
$installed[] = self::$installedByVendor[$vendorDir] = require $vendorDir.'/composer/installed.php'; | |||||
if (null === self::$installed && strtr($vendorDir.'/composer', '\\', '/') === strtr(__DIR__, '\\', '/')) { | |||||
self::$installed = $installed[count($installed) - 1]; | |||||
} | |||||
} | |||||
} | |||||
} | |||||
if (null === self::$installed) { | |||||
// only require the installed.php file if this file is loaded from its dumped location, | |||||
// and not from its source location in the composer/composer package, see https://github.com/composer/composer/issues/9937 | |||||
if (substr(__DIR__, -8, 1) !== 'C') { | |||||
self::$installed = require __DIR__ . '/installed.php'; | |||||
} else { | |||||
self::$installed = array(); | |||||
} | |||||
} | |||||
$installed[] = self::$installed; | |||||
return $installed; | |||||
} | |||||
} |
@ -0,0 +1,23 @@ | |||||
<?php return array( | |||||
'root' => array( | |||||
'name' => 'tecnickcom/tcpdf', | |||||
'pretty_version' => '6.3.5', | |||||
'version' => '6.3.5.0', | |||||
'reference' => NULL, | |||||
'type' => 'library', | |||||
'install_path' => __DIR__ . '/../../', | |||||
'aliases' => array(), | |||||
'dev' => true, | |||||
), | |||||
'versions' => array( | |||||
'tecnickcom/tcpdf' => array( | |||||
'pretty_version' => '6.3.5', | |||||
'version' => '6.3.5.0', | |||||
'reference' => NULL, | |||||
'type' => 'library', | |||||
'install_path' => __DIR__ . '/../../', | |||||
'aliases' => array(), | |||||
'dev_requirement' => false, | |||||
), | |||||
), | |||||
); |
@ -0,0 +1,26 @@ | |||||
<?php | |||||
// platform_check.php @generated by Composer | |||||
$issues = array(); | |||||
if (!(PHP_VERSION_ID >= 50300)) { | |||||
$issues[] = 'Your Composer dependencies require a PHP version ">= 5.3.0". You are running ' . PHP_VERSION . '.'; | |||||
} | |||||
if ($issues) { | |||||
if (!headers_sent()) { | |||||
header('HTTP/1.1 500 Internal Server Error'); | |||||
} | |||||
if (!ini_get('display_errors')) { | |||||
if (PHP_SAPI === 'cli' || PHP_SAPI === 'phpdbg') { | |||||
fwrite(STDERR, 'Composer detected issues in your platform:' . PHP_EOL.PHP_EOL . implode(PHP_EOL, $issues) . PHP_EOL.PHP_EOL); | |||||
} elseif (!headers_sent()) { | |||||
echo 'Composer detected issues in your platform:' . PHP_EOL.PHP_EOL . str_replace('You are running '.PHP_VERSION.'.', '', implode(PHP_EOL, $issues)) . PHP_EOL.PHP_EOL; | |||||
} | |||||
} | |||||
trigger_error( | |||||
'Composer detected issues in your platform: ' . implode(' ', $issues), | |||||
E_USER_ERROR | |||||
); | |||||
} |
@ -0,0 +1,93 @@ | |||||
-----BEGIN CERTIFICATE----- | |||||
MIIFejCCBGKgAwIBAgISBNmZGrxWESmqdTcwWGht8w4AMA0GCSqGSIb3DQEBCwUA | |||||
MDIxCzAJBgNVBAYTAlVTMRYwFAYDVQQKEw1MZXQncyBFbmNyeXB0MQswCQYDVQQD | |||||
EwJSMzAeFw0yMjA3MDcxNTQzMjdaFw0yMjEwMDUxNTQzMjZaMBgxFjAUBgNVBAMT | |||||
DWJhc2FidXVrYS5vcmcwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQC5 | |||||
DnD8ffxym3Sqauw46lUpfQ0w+r1pzXTeuvzgaUnkFbQ1kMQcRZ0Pmmr490Ef/Mtn | |||||
mzHiinMUuV9vN2Kk5YWsr9Nz5y7+AJ2nn53Wk4C4NwLGuJ/tX2HyCqRF7TAeLKcH | |||||
QiwwFZuJmZgQziSmxg3fFy+ZctBozJkBvJ8CDl+yx8zxG8WqsNuj1SzJN0UIcgbL | |||||
I6+TdiXZVRLBPsUzFTm6+dsUYO3k5gTavQipaMZU+iBkRKyNIkle+HkqH5J5in1z | |||||
Rsq3bTVYZCao0i8Hme7HfIVyTDXu206upSueQQXRRd7OrdzhOETIvCzZ0ulYWfjX | |||||
uTvR8tBMK9tdj2d3mN+7AgMBAAGjggKiMIICnjAOBgNVHQ8BAf8EBAMCBaAwHQYD | |||||
VR0lBBYwFAYIKwYBBQUHAwEGCCsGAQUFBwMCMAwGA1UdEwEB/wQCMAAwHQYDVR0O | |||||
BBYEFEgNxNkA355blaLBu8lZ1wcxbzBUMB8GA1UdIwQYMBaAFBQusxe3WFbLrlAJ | |||||
QOYfr52LFMLGMFUGCCsGAQUFBwEBBEkwRzAhBggrBgEFBQcwAYYVaHR0cDovL3Iz | |||||
Lm8ubGVuY3Iub3JnMCIGCCsGAQUFBzAChhZodHRwOi8vcjMuaS5sZW5jci5vcmcv | |||||
MHIGA1UdEQRrMGmCDWJhc2FidXVrYS5vcmeCEmNvZGUuYmFzYWJ1dWthLm9yZ4IZ | |||||
Y3liZXJsYXl3ZXIuYmFzYWJ1dWthLm9yZ4IWcGx1cml0b24uYmFzYWJ1dWthLm9y | |||||
Z4IRd3d3LmJhc2FidXVrYS5vcmcwTAYDVR0gBEUwQzAIBgZngQwBAgEwNwYLKwYB | |||||
BAGC3xMBAQEwKDAmBggrBgEFBQcCARYaaHR0cDovL2Nwcy5sZXRzZW5jcnlwdC5v | |||||
cmcwggEEBgorBgEEAdZ5AgQCBIH1BIHyAPAAdgBGpVXrdfqRIDC1oolp9PN9ESxB | |||||
dL79SbiFq/L8cP5tRwAAAYHZi4LnAAAEAwBHMEUCIHA7OahAhjQWK0oGQ7Y7RtD7 | |||||
cLVI2lDTR4hKHvrBeBm5AiEAqtN0+vW2QjL1hEe8nfDtT91EBvhypu4JLINO/c8Q | |||||
RFMAdgBvU3asMfAxGdiZAKRRFf93FRwR2QLBACkGjbIImjfZEwAAAYHZi4QNAAAE | |||||
AwBHMEUCIDcksp5k40RxXXMibsis9LvQOKnMc89ZMHXURxSd29eLAiEArsu3HMtX | |||||
8EiAVF8/HQ6aK2Tq9xMt/nLrYydfYL6hPzQwDQYJKoZIhvcNAQELBQADggEBADXd | |||||
3a/6J5D124NMgolfmgXS7bU2cZ5PLPmGVW4tcl2P94ML1YoMe8EbwHSKEeuZHgRD | |||||
TJxSVSki/7NBxRFUAVGPNLVIW1uiKxxJ34nRiF/A9tfvoMzGwJ4gpHVz8tej13ZY | |||||
nJvkFgnb5nfNtKYxg8+CzZoNfdgtO1WjCiAX9kaGThovuCS2xNmHVFvLisXJVcRS | |||||
BAMHk8eJ+t5mtsZrS9jIidXaM11DFuuYvB8nxzmLt2HqE+MKI2ILCmiHLmwcyH3C | |||||
CK+/p8MQmBsB9QeN+kWJkC7vyjtKtP2+YALXNg5nvW/F0NV6eOHm9+EouTMbVOrn | |||||
hqhElUnFk7KTxJjkCs8= | |||||
-----END CERTIFICATE----- | |||||
-----BEGIN CERTIFICATE----- | |||||
MIIFFjCCAv6gAwIBAgIRAJErCErPDBinU/bWLiWnX1owDQYJKoZIhvcNAQELBQAw | |||||
TzELMAkGA1UEBhMCVVMxKTAnBgNVBAoTIEludGVybmV0IFNlY3VyaXR5IFJlc2Vh | |||||
cmNoIEdyb3VwMRUwEwYDVQQDEwxJU1JHIFJvb3QgWDEwHhcNMjAwOTA0MDAwMDAw | |||||
WhcNMjUwOTE1MTYwMDAwWjAyMQswCQYDVQQGEwJVUzEWMBQGA1UEChMNTGV0J3Mg | |||||
RW5jcnlwdDELMAkGA1UEAxMCUjMwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEK | |||||
AoIBAQC7AhUozPaglNMPEuyNVZLD+ILxmaZ6QoinXSaqtSu5xUyxr45r+XXIo9cP | |||||
R5QUVTVXjJ6oojkZ9YI8QqlObvU7wy7bjcCwXPNZOOftz2nwWgsbvsCUJCWH+jdx | |||||
sxPnHKzhm+/b5DtFUkWWqcFTzjTIUu61ru2P3mBw4qVUq7ZtDpelQDRrK9O8Zutm | |||||
NHz6a4uPVymZ+DAXXbpyb/uBxa3Shlg9F8fnCbvxK/eG3MHacV3URuPMrSXBiLxg | |||||
Z3Vms/EY96Jc5lP/Ooi2R6X/ExjqmAl3P51T+c8B5fWmcBcUr2Ok/5mzk53cU6cG | |||||
/kiFHaFpriV1uxPMUgP17VGhi9sVAgMBAAGjggEIMIIBBDAOBgNVHQ8BAf8EBAMC | |||||
AYYwHQYDVR0lBBYwFAYIKwYBBQUHAwIGCCsGAQUFBwMBMBIGA1UdEwEB/wQIMAYB | |||||
Af8CAQAwHQYDVR0OBBYEFBQusxe3WFbLrlAJQOYfr52LFMLGMB8GA1UdIwQYMBaA | |||||
FHm0WeZ7tuXkAXOACIjIGlj26ZtuMDIGCCsGAQUFBwEBBCYwJDAiBggrBgEFBQcw | |||||
AoYWaHR0cDovL3gxLmkubGVuY3Iub3JnLzAnBgNVHR8EIDAeMBygGqAYhhZodHRw | |||||
Oi8veDEuYy5sZW5jci5vcmcvMCIGA1UdIAQbMBkwCAYGZ4EMAQIBMA0GCysGAQQB | |||||
gt8TAQEBMA0GCSqGSIb3DQEBCwUAA4ICAQCFyk5HPqP3hUSFvNVneLKYY611TR6W | |||||
PTNlclQtgaDqw+34IL9fzLdwALduO/ZelN7kIJ+m74uyA+eitRY8kc607TkC53wl | |||||
ikfmZW4/RvTZ8M6UK+5UzhK8jCdLuMGYL6KvzXGRSgi3yLgjewQtCPkIVz6D2QQz | |||||
CkcheAmCJ8MqyJu5zlzyZMjAvnnAT45tRAxekrsu94sQ4egdRCnbWSDtY7kh+BIm | |||||
lJNXoB1lBMEKIq4QDUOXoRgffuDghje1WrG9ML+Hbisq/yFOGwXD9RiX8F6sw6W4 | |||||
avAuvDszue5L3sz85K+EC4Y/wFVDNvZo4TYXao6Z0f+lQKc0t8DQYzk1OXVu8rp2 | |||||
yJMC6alLbBfODALZvYH7n7do1AZls4I9d1P4jnkDrQoxB3UqQ9hVl3LEKQ73xF1O | |||||
yK5GhDDX8oVfGKF5u+decIsH4YaTw7mP3GFxJSqv3+0lUFJoi5Lc5da149p90Ids | |||||
hCExroL1+7mryIkXPeFM5TgO9r0rvZaBFOvV2z0gp35Z0+L4WPlbuEjN/lxPFin+ | |||||
HlUjr8gRsI3qfJOQFy/9rKIJR0Y/8Omwt/8oTWgy1mdeHmmjk7j1nYsvC9JSQ6Zv | |||||
MldlTTKB3zhThV1+XWYp6rjd5JW1zbVWEkLNxE7GJThEUG3szgBVGP7pSWTUTsqX | |||||
nLRbwHOoq7hHwg== | |||||
-----END CERTIFICATE----- | |||||
-----BEGIN CERTIFICATE----- | |||||
MIIFYDCCBEigAwIBAgIQQAF3ITfU6UK47naqPGQKtzANBgkqhkiG9w0BAQsFADA/ | |||||
MSQwIgYDVQQKExtEaWdpdGFsIFNpZ25hdHVyZSBUcnVzdCBDby4xFzAVBgNVBAMT | |||||
DkRTVCBSb290IENBIFgzMB4XDTIxMDEyMDE5MTQwM1oXDTI0MDkzMDE4MTQwM1ow | |||||
TzELMAkGA1UEBhMCVVMxKTAnBgNVBAoTIEludGVybmV0IFNlY3VyaXR5IFJlc2Vh | |||||
cmNoIEdyb3VwMRUwEwYDVQQDEwxJU1JHIFJvb3QgWDEwggIiMA0GCSqGSIb3DQEB | |||||
AQUAA4ICDwAwggIKAoICAQCt6CRz9BQ385ueK1coHIe+3LffOJCMbjzmV6B493XC | |||||
ov71am72AE8o295ohmxEk7axY/0UEmu/H9LqMZshftEzPLpI9d1537O4/xLxIZpL | |||||
wYqGcWlKZmZsj348cL+tKSIG8+TA5oCu4kuPt5l+lAOf00eXfJlII1PoOK5PCm+D | |||||
LtFJV4yAdLbaL9A4jXsDcCEbdfIwPPqPrt3aY6vrFk/CjhFLfs8L6P+1dy70sntK | |||||
4EwSJQxwjQMpoOFTJOwT2e4ZvxCzSow/iaNhUd6shweU9GNx7C7ib1uYgeGJXDR5 | |||||
bHbvO5BieebbpJovJsXQEOEO3tkQjhb7t/eo98flAgeYjzYIlefiN5YNNnWe+w5y | |||||
sR2bvAP5SQXYgd0FtCrWQemsAXaVCg/Y39W9Eh81LygXbNKYwagJZHduRze6zqxZ | |||||
Xmidf3LWicUGQSk+WT7dJvUkyRGnWqNMQB9GoZm1pzpRboY7nn1ypxIFeFntPlF4 | |||||
FQsDj43QLwWyPntKHEtzBRL8xurgUBN8Q5N0s8p0544fAQjQMNRbcTa0B7rBMDBc | |||||
SLeCO5imfWCKoqMpgsy6vYMEG6KDA0Gh1gXxG8K28Kh8hjtGqEgqiNx2mna/H2ql | |||||
PRmP6zjzZN7IKw0KKP/32+IVQtQi0Cdd4Xn+GOdwiK1O5tmLOsbdJ1Fu/7xk9TND | |||||
TwIDAQABo4IBRjCCAUIwDwYDVR0TAQH/BAUwAwEB/zAOBgNVHQ8BAf8EBAMCAQYw | |||||
SwYIKwYBBQUHAQEEPzA9MDsGCCsGAQUFBzAChi9odHRwOi8vYXBwcy5pZGVudHJ1 | |||||
c3QuY29tL3Jvb3RzL2RzdHJvb3RjYXgzLnA3YzAfBgNVHSMEGDAWgBTEp7Gkeyxx | |||||
+tvhS5B1/8QVYIWJEDBUBgNVHSAETTBLMAgGBmeBDAECATA/BgsrBgEEAYLfEwEB | |||||
ATAwMC4GCCsGAQUFBwIBFiJodHRwOi8vY3BzLnJvb3QteDEubGV0c2VuY3J5cHQu | |||||
b3JnMDwGA1UdHwQ1MDMwMaAvoC2GK2h0dHA6Ly9jcmwuaWRlbnRydXN0LmNvbS9E | |||||
U1RST09UQ0FYM0NSTC5jcmwwHQYDVR0OBBYEFHm0WeZ7tuXkAXOACIjIGlj26Ztu | |||||
MA0GCSqGSIb3DQEBCwUAA4IBAQAKcwBslm7/DlLQrt2M51oGrS+o44+/yQoDFVDC | |||||
5WxCu2+b9LRPwkSICHXM6webFGJueN7sJ7o5XPWioW5WlHAQU7G75K/QosMrAdSW | |||||
9MUgNTP52GE24HGNtLi1qoJFlcDyqSMo59ahy2cI2qBDLKobkx/J3vWraV0T9VuG | |||||
WCLKTVXkcGdtwlfFRjlBz4pYg1htmf5X6DYO8A4jqv2Il9DjXA6USbW1FzXSLr9O | |||||
he8Y4IWS6wY7bCkjCWDcRQJMEhg76fsO3txE+FiYruq9RUWhiF1myv4Q6W+CyBFC | |||||
Dfvp7OOGAN6dEOM4+qR9sdjoSYKEBpsr6GtPAQw4dy753ec5 | |||||
-----END CERTIFICATE----- |
@ -0,0 +1,15 @@ | |||||
<?php | |||||
$CONVERT_CMD = "/usr/local/bin/convert"; | |||||
$PDFTK_CMD = "/usr/local/bin/pdftk"; | |||||
$mailHost = 'email.wikimedia.de'; // Specify main and backup server | |||||
$mailPort = 25; // Set the SMTP port | |||||
$mailSMTPAuth = false; // Enable SMTP authentication | |||||
$mailUsername = 'mailuser'; // SMTP username | |||||
$mailPassword = 'mailpasswd'; // SMTP password | |||||
$mailSMTPSecure = 'tls'; // Enable encryption, 'ssl' also accepted | |||||
$mailDest = "alpcentaur@posteo.net"; | |||||
$mailDestCC = ""; // leave empty if no CC is required | |||||
$mailFrom = "luca@cannabinieri.de"; | |||||
@ -0,0 +1,213 @@ | |||||
<h1> | |||||
<?php echo _($localeYaml['mainheader'][$loc])?> | |||||
</h1> | |||||
<p> | |||||
<?php echo _($localeYaml['mainheader_subtext_1'][$loc])?><BR> | |||||
<?php echo _("Bitte fülle dieses Formular aus. Pflichtfelder sind mit einem * gekennzeichnet.")?><BR><BR> | |||||
<?php | |||||
$ct = @file_get_contents( "./locale/$loc1/h1.php"); | |||||
if ($ct==false) | |||||
$ct = file_get_contents( "h1.php"); | |||||
echo $ct; | |||||
?> | |||||
</p> | |||||
<form data-kube="kaform" name="theform" id="theform" action="submit.php" method="POST"> | |||||
<fieldset> <legend><?php echo _("1. Erfasse deine Stammdaten")?></legend> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<input required type="input" | |||||
size="32" id="projectid" name="project" | |||||
placeholder="<?php echo _("Projekt/Zweck der Reise*")?>" /> | |||||
</div> | |||||
</div> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<input required type="input" size="32" | |||||
` id="realname" name="realname" placeholder="<?php echo _("Dein Realname (Vorname Nachname)*")?>" /> | |||||
</div> | |||||
<div class="is-col"> | |||||
<input type="input" size="32" | |||||
` id="wmdecontact" name="wmdecontact" | |||||
placeholder="<?= _("Deine Ansprechperson bei Wikimedia")?>" /> | |||||
</div> | |||||
</div> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<input type="tel" size="32" | |||||
id="phone" name="phone" | |||||
placeholder="<?= _("Deine Telefonnummer")?>" /> | |||||
</div> | |||||
<div class="is-col"> | |||||
</div> | |||||
</div> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<input required type="email" size="32" id="email" | |||||
name="email" placeholder="<?= _("Deine E-Mail-Adresse*")?>" /> | |||||
</div> | |||||
<div class="is-col"> | |||||
</div> | |||||
</div> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<nav class="tabs" data-kube="tabs" data-equal="false"> | |||||
<a href="#bank-eu" class="is-active"><?=_("Banküberweisung (SEPA)")?></a> | |||||
<a href="#bank-noneu"><?=_("Banküberweisung (nicht SEPA)")?></a> | |||||
</nav> | |||||
<section id="bank-eu"> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<input type="input" size="32" name="sepa_owner" placeholder="<?=_("Kontoinhabende Person")?>" /> | |||||
</div> | |||||
<div class="is-col"> | |||||
</div> | |||||
</div> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<input type="input" size="32" id="iban" name="iban" placeholder="<?=_("IBAN*")?>" /> | |||||
</div> | |||||
<div class="is-col"> | |||||
<input type="input" size="32" id="bic" name="bic" placeholder="<?=_("BIC (wenn ausländische Bank)")?>" /> | |||||
</div> | |||||
</div> | |||||
<textarea id="comments" name="comments" style="resize:none;" cols="32" rows="4" | |||||
placeholder="<?=_("weitere Anmerkungen z.B. intermediäre Bank, Grund für abweichende kontoinhabende Person")?>"></textarea > | |||||
</section> | |||||
<section id="bank-noneu"> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<input type="input" size="32" name="non_sepa_owner" placeholder="<?=_("Kontoinhabende Person")?>" /> | |||||
</div> | |||||
<div class="is-col"> | |||||
<input type="input" size="32" id="n_bic" name="n_bic" placeholder="<?=_("BIC/SWIFT*")?>" /> | |||||
</div> | |||||
</div> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<input type="input" size="32" id="n_iban" name="n_iban" placeholder="<?=_("Kontonummer*")?>" /> | |||||
</div> | |||||
<div class="is-col"> | |||||
<input type="input" size="32" id="n_routing" name="n_routing" placeholder="<?=_("Routing Number")?>" /> | |||||
</div> | |||||
</div> | |||||
<input class="EU nonEU" type="input" size="32" id="n_bank" name="n_bankname" placeholder="<?="Name der Bank*"?>" /> | |||||
<textarea class="nonEU" name="n_bankaddress" id="n_bankaddress" style="resize:both;" cols="32" rows="4" | |||||
placeholder="<?=_("Adresse der Bank (Straße und Hausnummer, Postleitzahl, Ort, Land)")?>"></textarea> | |||||
<br> | |||||
<textarea name="n_address" lang="de" class="nonEU" id="n_address" style="resize:both;" cols="32" rows="4" | |||||
placeholder="<?=_("Deine Anschrift (Straße und Hausnummer, Postleitzahl, Ort, Land)*")?>"></textarea> | |||||
<br> | |||||
<textarea id="n_comments" name="n_comments" | |||||
style="resize:both;" cols="32" rows="4" | |||||
placeholder="<?=_("Weitere Anmerkungen, z.B. intermediäre Bank, Grund für abweichende kontoinhabende Person")?>"></textarea> | |||||
</section> | |||||
</div> <!-- i-col --> | |||||
</div> <!-- is-row --> | |||||
</fieldset> | |||||
<fieldset id="fieldset2"> <legend><?=_("2. Erfasse deine Ausgaben")?></legend> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<?=_("Währung:")?> | |||||
</div> | |||||
<div class="is-col"> | |||||
<select onchange="renumberTableRows()" name='currency' id="currency" > | |||||
<option value="EUR">EUR</option> | |||||
<option value="USD">USD</option> | |||||
<option value="CHF">CHF</option> | |||||
<option value="XBT">XBT</option> | |||||
</select> | |||||
</div> | |||||
<div class="is-col"> | |||||
</div> | |||||
</div> | |||||
<table id="tabtab" class="is-responsive is-bordered is-striped"> | |||||
<thead> | |||||
<tr> | |||||
<th><?=_("Pos.")?></th> | |||||
<th><?=_("Datum")?></th> | |||||
<th><?=_("Beschreibung")?></th> | |||||
<th><?=_("Betrag")?></th> | |||||
<th><?=_("Währung")?></th> | |||||
<th><?=_("Belege")?></th> | |||||
<th><?=_("Löschen")?></th> | |||||
</tr> | |||||
</thead> | |||||
<tbody id="tabbody"> | |||||
</tbody> | |||||
</table> | |||||
<div class="is-col"> | |||||
<button id="add_issue" type="button" onclick="addRow();" | |||||
class="button is-green"><?=_("Ausgabe hinzufügen")?></button> | |||||
</div> | |||||
</fieldset> | |||||
<br> | |||||
<fieldset> <legend><?=_("3. Vorschuss und Sonstiges")?></legend> | |||||
<div class="is-row"> | |||||
<div class="is-col valign="center""> | |||||
<?=_("Ich habe bereits einen Vorschuss in folgender Höhe erhalten:")?> | |||||
</div> | |||||
<div class="is-col"> | |||||
<input input name="advance" id="advance" type="text" placeholder="0,00 EUR"/> | |||||
</div> | |||||
</div> | |||||
<div class="is-row"> | |||||
<div class="is-col valign="center""> | |||||
<?=_("Hiermit bestätige ich die Vollständig- und Richtigkeit meiner Angaben:")?>* | |||||
</div> | |||||
<div class="is-col"> | |||||
<input id="agree" type="checkbox" /> | |||||
</div> | |||||
</div> | |||||
<div class="is-row"> | |||||
<div class="is-col"> | |||||
<button type="button" onclick="downloadDocument(false);" | |||||
class="button is-orange"><?=_("Antrag herunterladen und später einreichen")?></button> | |||||
</div> | |||||
<div class="is-col"> | |||||
<button type="button" onclick="downloadDocument(true);" | |||||
class="button is-green"><?=_("Antrag elektronisch direkt an WMDE schicken")?></button> | |||||
</div> | |||||
</div> | |||||
</fieldset> | |||||
<input type="hidden" id="banktype" name="banktype"/> | |||||
<input type="hidden" id="sendmail" name="sendmail"/> | |||||
</form> | |||||
<?php | |||||