2016-09-26 00:22:33 +03:00
|
|
|
<?php
|
2022-03-11 23:18:01 +03:00
|
|
|
|
2022-05-08 04:58:57 +03:00
|
|
|
final class HttpException extends \Exception
|
|
|
|
{
|
|
|
|
}
|
|
|
|
|
2022-05-11 23:34:18 +03:00
|
|
|
// todo: move this somewhere useful, possibly into a function
|
|
|
|
const RSSBRIDGE_HTTP_STATUS_CODES = [
|
|
|
|
'100' => 'Continue',
|
|
|
|
'101' => 'Switching Protocols',
|
|
|
|
'200' => 'OK',
|
|
|
|
'201' => 'Created',
|
|
|
|
'202' => 'Accepted',
|
|
|
|
'203' => 'Non-Authoritative Information',
|
|
|
|
'204' => 'No Content',
|
|
|
|
'205' => 'Reset Content',
|
|
|
|
'206' => 'Partial Content',
|
|
|
|
'300' => 'Multiple Choices',
|
|
|
|
'302' => 'Found',
|
|
|
|
'303' => 'See Other',
|
|
|
|
'304' => 'Not Modified',
|
|
|
|
'305' => 'Use Proxy',
|
|
|
|
'400' => 'Bad Request',
|
|
|
|
'401' => 'Unauthorized',
|
|
|
|
'402' => 'Payment Required',
|
|
|
|
'403' => 'Forbidden',
|
|
|
|
'404' => 'Not Found',
|
|
|
|
'405' => 'Method Not Allowed',
|
|
|
|
'406' => 'Not Acceptable',
|
|
|
|
'407' => 'Proxy Authentication Required',
|
|
|
|
'408' => 'Request Timeout',
|
|
|
|
'409' => 'Conflict',
|
|
|
|
'410' => 'Gone',
|
|
|
|
'411' => 'Length Required',
|
|
|
|
'412' => 'Precondition Failed',
|
|
|
|
'413' => 'Request Entity Too Large',
|
|
|
|
'414' => 'Request-URI Too Long',
|
|
|
|
'415' => 'Unsupported Media Type',
|
|
|
|
'416' => 'Requested Range Not Satisfiable',
|
|
|
|
'417' => 'Expectation Failed',
|
2022-05-27 16:25:12 +03:00
|
|
|
'429' => 'Too Many Requests',
|
2022-05-11 23:34:18 +03:00
|
|
|
'500' => 'Internal Server Error',
|
|
|
|
'501' => 'Not Implemented',
|
|
|
|
'502' => 'Bad Gateway',
|
|
|
|
'503' => 'Service Unavailable',
|
|
|
|
'504' => 'Gateway Timeout',
|
|
|
|
'505' => 'HTTP Version Not Supported'
|
|
|
|
];
|
|
|
|
|
|
|
|
/**
|
|
|
|
* Fetch data from an http url
|
|
|
|
*
|
|
|
|
* @param array $httpHeaders E.g. ['Content-type: text/plain']
|
|
|
|
* @param array $curlOptions Associative array e.g. [CURLOPT_MAXREDIRS => 3]
|
2022-05-23 04:27:23 +03:00
|
|
|
* @param bool $returnFull Whether to return an array:
|
|
|
|
* [
|
|
|
|
* 'code' => int,
|
|
|
|
* 'header' => array,
|
|
|
|
* 'content' => string,
|
|
|
|
* 'status_lines' => array,
|
|
|
|
* ]
|
|
|
|
|
2022-05-11 23:34:18 +03:00
|
|
|
* @return string|array
|
|
|
|
*/
|
2022-05-08 04:58:57 +03:00
|
|
|
function getContents(
|
|
|
|
string $url,
|
|
|
|
array $httpHeaders = [],
|
|
|
|
array $curlOptions = [],
|
2022-05-18 00:46:37 +03:00
|
|
|
bool $returnFull = false
|
2022-05-08 04:58:57 +03:00
|
|
|
) {
|
|
|
|
$cacheFactory = new CacheFactory();
|
2022-06-22 19:29:28 +03:00
|
|
|
|
2022-07-05 14:20:01 +03:00
|
|
|
$cache = $cacheFactory->create();
|
2022-05-08 04:58:57 +03:00
|
|
|
$cache->setScope('server');
|
|
|
|
$cache->purgeCache(86400); // 24 hours (forced)
|
|
|
|
$cache->setKey([$url]);
|
|
|
|
|
2022-07-31 05:21:56 +03:00
|
|
|
// Snagged from https://github.com/lwthiker/curl-impersonate/blob/main/firefox/curl_ff102
|
|
|
|
$defaultHttpHeaders = [
|
|
|
|
'Accept' => 'text/html,application/xhtml+xml,application/xml;q=0.9,image/avif,image/webp,*/*;q=0.8',
|
|
|
|
'Accept-Language' => 'en-US,en;q=0.5',
|
|
|
|
'Upgrade-Insecure-Requests' => '1',
|
|
|
|
'Sec-Fetch-Dest' => 'document',
|
|
|
|
'Sec-Fetch-Mode' => 'navigate',
|
|
|
|
'Sec-Fetch-Site' => 'none',
|
|
|
|
'Sec-Fetch-User' => '?1',
|
|
|
|
'TE' => 'Trailers',
|
|
|
|
];
|
|
|
|
$httpHeadersNormalized = [];
|
|
|
|
foreach ($httpHeaders as $httpHeader) {
|
|
|
|
$parts = explode(':', $httpHeader);
|
|
|
|
$headerName = trim($parts[0]);
|
|
|
|
$headerValue = trim(implode(':', array_slice($parts, 1)));
|
|
|
|
$httpHeadersNormalized[$headerName] = $headerValue;
|
|
|
|
}
|
2022-05-08 04:58:57 +03:00
|
|
|
$config = [
|
2022-07-31 05:21:56 +03:00
|
|
|
'headers' => array_merge($defaultHttpHeaders, $httpHeadersNormalized),
|
2022-05-08 04:58:57 +03:00
|
|
|
'curl_options' => $curlOptions,
|
|
|
|
];
|
2022-07-24 20:26:12 +03:00
|
|
|
if (Configuration::getConfig('proxy', 'url') && !defined('NOPROXY')) {
|
|
|
|
$config['proxy'] = Configuration::getConfig('proxy', 'url');
|
2022-03-11 23:18:01 +03:00
|
|
|
}
|
2022-05-08 04:58:57 +03:00
|
|
|
if (!Debug::isEnabled() && $cache->getTime()) {
|
|
|
|
$config['if_not_modified_since'] = $cache->getTime();
|
2022-03-11 23:18:01 +03:00
|
|
|
}
|
|
|
|
|
2022-05-08 04:58:57 +03:00
|
|
|
$result = _http_request($url, $config);
|
|
|
|
$response = [
|
2022-05-18 00:46:37 +03:00
|
|
|
'code' => $result['code'],
|
|
|
|
'status_lines' => $result['status_lines'],
|
2022-05-08 04:58:57 +03:00
|
|
|
'header' => $result['headers'],
|
|
|
|
'content' => $result['body'],
|
|
|
|
];
|
|
|
|
|
|
|
|
switch ($result['code']) {
|
|
|
|
case 200:
|
|
|
|
case 201:
|
|
|
|
case 202:
|
|
|
|
if (isset($result['headers']['cache-control'])) {
|
|
|
|
$cachecontrol = $result['headers']['cache-control'];
|
|
|
|
$lastValue = array_pop($cachecontrol);
|
|
|
|
$directives = explode(',', $lastValue);
|
|
|
|
$directives = array_map('trim', $directives);
|
|
|
|
if (in_array('no-cache', $directives) || in_array('no-store', $directives)) {
|
2022-05-11 23:34:18 +03:00
|
|
|
// Don't cache as instructed by the server
|
2022-05-08 04:58:57 +03:00
|
|
|
break;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
$cache->saveData($result['body']);
|
|
|
|
break;
|
|
|
|
case 304: // Not Modified
|
|
|
|
$response['content'] = $cache->loadData();
|
|
|
|
break;
|
|
|
|
default:
|
2022-05-11 23:34:18 +03:00
|
|
|
throw new HttpException(
|
|
|
|
sprintf(
|
|
|
|
'%s %s',
|
2022-05-11 23:37:59 +03:00
|
|
|
$result['code'],
|
2022-05-18 00:47:12 +03:00
|
|
|
RSSBRIDGE_HTTP_STATUS_CODES[$result['code']] ?? ''
|
|
|
|
),
|
|
|
|
$result['code']
|
2022-05-11 23:34:18 +03:00
|
|
|
);
|
2022-03-11 23:18:01 +03:00
|
|
|
}
|
2022-05-18 00:46:37 +03:00
|
|
|
if ($returnFull === true) {
|
2022-05-08 04:58:57 +03:00
|
|
|
return $response;
|
2022-03-11 23:18:01 +03:00
|
|
|
}
|
2022-05-08 04:58:57 +03:00
|
|
|
return $response['content'];
|
2022-03-11 23:18:01 +03:00
|
|
|
}
|
|
|
|
|
2018-11-16 23:48:59 +03:00
|
|
|
/**
|
2022-05-08 04:58:57 +03:00
|
|
|
* Private function used internally
|
2018-11-19 19:53:08 +03:00
|
|
|
*
|
2022-05-08 04:58:57 +03:00
|
|
|
* Fetch content from url
|
2018-11-16 23:48:59 +03:00
|
|
|
*
|
2022-05-08 04:58:57 +03:00
|
|
|
* @throws HttpException
|
2018-11-16 23:48:59 +03:00
|
|
|
*/
|
2022-05-08 04:58:57 +03:00
|
|
|
function _http_request(string $url, array $config = []): array
|
|
|
|
{
|
|
|
|
$defaults = [
|
|
|
|
'useragent' => Configuration::getConfig('http', 'useragent'),
|
|
|
|
'timeout' => Configuration::getConfig('http', 'timeout'),
|
|
|
|
'headers' => [],
|
|
|
|
'proxy' => null,
|
|
|
|
'curl_options' => [],
|
|
|
|
'if_not_modified_since' => null,
|
|
|
|
'retries' => 3,
|
|
|
|
];
|
|
|
|
$config = array_merge($defaults, $config);
|
2019-11-01 00:02:38 +03:00
|
|
|
|
2022-04-10 19:54:18 +03:00
|
|
|
$ch = curl_init($url);
|
|
|
|
curl_setopt($ch, CURLOPT_RETURNTRANSFER, true);
|
|
|
|
curl_setopt($ch, CURLOPT_FOLLOWLOCATION, true);
|
2022-05-08 04:58:57 +03:00
|
|
|
curl_setopt($ch, CURLOPT_MAXREDIRS, 5);
|
|
|
|
curl_setopt($ch, CURLOPT_HEADER, false);
|
2022-07-31 05:21:56 +03:00
|
|
|
$httpHeaders = [];
|
|
|
|
foreach ($config['headers'] as $name => $value) {
|
|
|
|
$httpHeaders[] = sprintf('%s: %s', $name, $value);
|
|
|
|
}
|
|
|
|
curl_setopt($ch, CURLOPT_HTTPHEADER, $httpHeaders);
|
2022-05-08 04:58:57 +03:00
|
|
|
curl_setopt($ch, CURLOPT_USERAGENT, $config['useragent']);
|
|
|
|
curl_setopt($ch, CURLOPT_TIMEOUT, $config['timeout']);
|
2022-04-10 19:54:18 +03:00
|
|
|
curl_setopt($ch, CURLOPT_ENCODING, '');
|
|
|
|
curl_setopt($ch, CURLOPT_PROTOCOLS, CURLPROTO_HTTP | CURLPROTO_HTTPS);
|
2022-08-05 12:46:32 +03:00
|
|
|
// Force HTTP 1.1 because newer versions of libcurl defaults to HTTP/2
|
|
|
|
curl_setopt($ch, CURLOPT_HTTP_VERSION, CURL_HTTP_VERSION_1_1);
|
2022-05-08 04:58:57 +03:00
|
|
|
if ($config['proxy']) {
|
|
|
|
curl_setopt($ch, CURLOPT_PROXY, $config['proxy']);
|
2022-04-10 19:54:18 +03:00
|
|
|
}
|
2022-05-11 23:34:18 +03:00
|
|
|
if (curl_setopt_array($ch, $config['curl_options']) === false) {
|
|
|
|
throw new \Exception('Tried to set an illegal curl option');
|
2022-04-10 19:54:18 +03:00
|
|
|
}
|
2022-05-11 23:34:18 +03:00
|
|
|
|
2022-05-08 04:58:57 +03:00
|
|
|
if ($config['if_not_modified_since']) {
|
|
|
|
curl_setopt($ch, CURLOPT_TIMEVALUE, $config['if_not_modified_since']);
|
2022-04-10 19:54:18 +03:00
|
|
|
curl_setopt($ch, CURLOPT_TIMECONDITION, CURL_TIMECOND_IFMODSINCE);
|
|
|
|
}
|
2018-07-21 18:27:38 +03:00
|
|
|
|
2022-05-18 00:46:37 +03:00
|
|
|
$responseStatusLines = [];
|
2022-05-08 04:58:57 +03:00
|
|
|
$responseHeaders = [];
|
2022-05-18 00:46:37 +03:00
|
|
|
curl_setopt($ch, CURLOPT_HEADERFUNCTION, function ($ch, $rawHeader) use (&$responseHeaders, &$responseStatusLines) {
|
2022-05-08 04:58:57 +03:00
|
|
|
$len = strlen($rawHeader);
|
2022-05-18 00:46:37 +03:00
|
|
|
if ($rawHeader === "\r\n") {
|
|
|
|
return $len;
|
|
|
|
}
|
|
|
|
if (preg_match('#^HTTP/(2|1.1|1.0)#', $rawHeader)) {
|
|
|
|
$responseStatusLines[] = $rawHeader;
|
2022-05-08 04:58:57 +03:00
|
|
|
return $len;
|
|
|
|
}
|
|
|
|
$header = explode(':', $rawHeader);
|
|
|
|
if (count($header) === 1) {
|
|
|
|
return $len;
|
|
|
|
}
|
|
|
|
$name = mb_strtolower(trim($header[0]));
|
|
|
|
$value = trim(implode(':', array_slice($header, 1)));
|
|
|
|
if (!isset($responseHeaders[$name])) {
|
|
|
|
$responseHeaders[$name] = [];
|
|
|
|
}
|
|
|
|
$responseHeaders[$name][] = $value;
|
|
|
|
return $len;
|
|
|
|
});
|
|
|
|
|
|
|
|
$attempts = 0;
|
|
|
|
while (true) {
|
|
|
|
$attempts++;
|
|
|
|
$data = curl_exec($ch);
|
|
|
|
if ($data !== false) {
|
|
|
|
// The network call was successful, so break out of the loop
|
2019-11-01 00:02:38 +03:00
|
|
|
break;
|
2022-05-08 04:58:57 +03:00
|
|
|
}
|
|
|
|
if ($attempts > $config['retries']) {
|
|
|
|
// Finally give up
|
|
|
|
throw new HttpException(sprintf('%s (%s)', curl_error($ch), curl_errno($ch)));
|
|
|
|
}
|
2018-07-21 18:27:38 +03:00
|
|
|
}
|
2019-11-01 00:02:38 +03:00
|
|
|
|
2022-05-08 04:58:57 +03:00
|
|
|
$statusCode = curl_getinfo($ch, CURLINFO_HTTP_CODE);
|
|
|
|
curl_close($ch);
|
|
|
|
return [
|
|
|
|
'code' => $statusCode,
|
2022-05-18 00:46:37 +03:00
|
|
|
'status_lines' => $responseStatusLines,
|
2022-05-08 04:58:57 +03:00
|
|
|
'headers' => $responseHeaders,
|
|
|
|
'body' => $data,
|
|
|
|
];
|
2016-09-26 00:22:33 +03:00
|
|
|
}
|
|
|
|
|
2018-11-16 23:48:59 +03:00
|
|
|
/**
|
|
|
|
* Gets contents from the Internet as simplhtmldom object.
|
|
|
|
*
|
|
|
|
* @param string $url The URL.
|
|
|
|
* @param array $header (optional) A list of cURL header.
|
|
|
|
* For more information follow the links below.
|
|
|
|
* * https://php.net/manual/en/function.curl-setopt.php
|
|
|
|
* * https://curl.haxx.se/libcurl/c/CURLOPT_HTTPHEADER.html
|
|
|
|
* @param array $opts (optional) A list of cURL options as associative array in
|
|
|
|
* the format `$opts[$option] = $value;`, where `$option` is any `CURLOPT_XXX`
|
|
|
|
* option and `$value` the corresponding value.
|
|
|
|
*
|
|
|
|
* For more information see http://php.net/manual/en/function.curl-setopt.php
|
|
|
|
* @param bool $lowercase Force all selectors to lowercase.
|
|
|
|
* @param bool $forceTagsClosed Forcefully close tags in malformed HTML.
|
|
|
|
*
|
|
|
|
* _Remarks_: Forcefully closing tags is great for malformed HTML, but it can
|
|
|
|
* lead to parsing errors.
|
|
|
|
* @param string $target_charset Defines the target charset.
|
|
|
|
* @param bool $stripRN Replace all occurrences of `"\r"` and `"\n"` by `" "`.
|
|
|
|
* @param string $defaultBRText Specifies the replacement text for `<br>` tags
|
|
|
|
* when returning plaintext.
|
|
|
|
* @param string $defaultSpanText Specifies the replacement text for `<span />`
|
|
|
|
* tags when returning plaintext.
|
2020-11-08 10:19:18 +03:00
|
|
|
* @return false|simple_html_dom Contents as simplehtmldom object.
|
2018-11-16 23:48:59 +03:00
|
|
|
*/
|
2017-02-14 19:28:07 +03:00
|
|
|
function getSimpleHTMLDOM(
|
|
|
|
$url,
|
2019-03-20 19:59:16 +03:00
|
|
|
$header = [],
|
|
|
|
$opts = [],
|
|
|
|
$lowercase = true,
|
|
|
|
$forceTagsClosed = true,
|
|
|
|
$target_charset = DEFAULT_TARGET_CHARSET,
|
|
|
|
$stripRN = true,
|
|
|
|
$defaultBRText = DEFAULT_BR_TEXT,
|
|
|
|
$defaultSpanText = DEFAULT_SPAN_TEXT
|
|
|
|
) {
|
2022-05-08 04:58:57 +03:00
|
|
|
$content = getContents(
|
|
|
|
$url,
|
|
|
|
$header ?? [],
|
|
|
|
$opts ?? []
|
|
|
|
);
|
2017-02-14 19:28:07 +03:00
|
|
|
return str_get_html(
|
|
|
|
$content,
|
|
|
|
$lowercase,
|
|
|
|
$forceTagsClosed,
|
|
|
|
$target_charset,
|
|
|
|
$stripRN,
|
|
|
|
$defaultBRText,
|
|
|
|
$defaultSpanText
|
|
|
|
);
|
2016-09-26 00:22:33 +03:00
|
|
|
}
|
|
|
|
|
|
|
|
/**
|
2018-11-16 23:48:59 +03:00
|
|
|
* Gets contents from the Internet as simplhtmldom object. Contents are cached
|
|
|
|
* and re-used for subsequent calls until the cache duration elapsed.
|
|
|
|
*
|
|
|
|
* _Notice_: Cached contents are forcefully removed after 24 hours (86400 seconds).
|
|
|
|
*
|
|
|
|
* @param string $url The URL.
|
|
|
|
* @param int $duration Cache duration in seconds.
|
|
|
|
* @param array $header (optional) A list of cURL header.
|
|
|
|
* For more information follow the links below.
|
|
|
|
* * https://php.net/manual/en/function.curl-setopt.php
|
|
|
|
* * https://curl.haxx.se/libcurl/c/CURLOPT_HTTPHEADER.html
|
|
|
|
* @param array $opts (optional) A list of cURL options as associative array in
|
|
|
|
* the format `$opts[$option] = $value;`, where `$option` is any `CURLOPT_XXX`
|
|
|
|
* option and `$value` the corresponding value.
|
|
|
|
*
|
|
|
|
* For more information see http://php.net/manual/en/function.curl-setopt.php
|
|
|
|
* @param bool $lowercase Force all selectors to lowercase.
|
|
|
|
* @param bool $forceTagsClosed Forcefully close tags in malformed HTML.
|
|
|
|
*
|
|
|
|
* _Remarks_: Forcefully closing tags is great for malformed HTML, but it can
|
|
|
|
* lead to parsing errors.
|
|
|
|
* @param string $target_charset Defines the target charset.
|
|
|
|
* @param bool $stripRN Replace all occurrences of `"\r"` and `"\n"` by `" "`.
|
|
|
|
* @param string $defaultBRText Specifies the replacement text for `<br>` tags
|
|
|
|
* when returning plaintext.
|
|
|
|
* @param string $defaultSpanText Specifies the replacement text for `<span />`
|
|
|
|
* tags when returning plaintext.
|
2020-11-08 10:19:18 +03:00
|
|
|
* @return false|simple_html_dom Contents as simplehtmldom object.
|
2016-09-26 00:22:33 +03:00
|
|
|
*/
|
2017-02-14 19:28:07 +03:00
|
|
|
function getSimpleHTMLDOMCached(
|
|
|
|
$url,
|
2019-03-20 19:59:16 +03:00
|
|
|
$duration = 86400,
|
|
|
|
$header = [],
|
|
|
|
$opts = [],
|
|
|
|
$lowercase = true,
|
|
|
|
$forceTagsClosed = true,
|
|
|
|
$target_charset = DEFAULT_TARGET_CHARSET,
|
|
|
|
$stripRN = true,
|
|
|
|
$defaultBRText = DEFAULT_BR_TEXT,
|
|
|
|
$defaultSpanText = DEFAULT_SPAN_TEXT
|
|
|
|
) {
|
2018-11-10 22:03:03 +03:00
|
|
|
Debug::log('Caching url ' . $url . ', duration ' . $duration);
|
2016-09-26 00:22:33 +03:00
|
|
|
|
2016-10-08 17:30:01 +03:00
|
|
|
// Initialize cache
|
2022-07-06 13:14:04 +03:00
|
|
|
$cacheFactory = new CacheFactory();
|
2022-06-22 19:29:28 +03:00
|
|
|
|
2022-07-06 13:14:04 +03:00
|
|
|
$cache = $cacheFactory->create();
|
2019-04-29 21:12:43 +03:00
|
|
|
$cache->setScope('pages');
|
2016-10-08 17:30:01 +03:00
|
|
|
$cache->purgeCache(86400); // 24 hours (forced)
|
2016-09-26 00:22:33 +03:00
|
|
|
|
2019-11-01 20:06:38 +03:00
|
|
|
$params = [$url];
|
2019-04-29 21:12:43 +03:00
|
|
|
$cache->setKey($params);
|
2016-09-26 00:22:33 +03:00
|
|
|
|
2016-10-08 17:30:01 +03:00
|
|
|
// Determine if cached file is within duration
|
|
|
|
$time = $cache->getTime();
|
|
|
|
if (
|
|
|
|
$time !== false
|
|
|
|
&& (time() - $duration < $time)
|
2021-02-09 15:40:16 +03:00
|
|
|
&& !Debug::isEnabled()
|
|
|
|
) { // Contents within duration
|
2016-10-08 17:30:01 +03:00
|
|
|
$content = $cache->loadData();
|
|
|
|
} else { // Content not within duration
|
2022-05-08 05:42:24 +03:00
|
|
|
$content = getContents(
|
|
|
|
$url,
|
|
|
|
$header ?? [],
|
|
|
|
$opts ?? []
|
|
|
|
);
|
2017-07-29 20:28:00 +03:00
|
|
|
if ($content !== false) {
|
2016-10-08 17:30:01 +03:00
|
|
|
$cache->saveData($content);
|
2016-09-26 00:22:33 +03:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2017-02-14 19:28:07 +03:00
|
|
|
return str_get_html(
|
|
|
|
$content,
|
|
|
|
$lowercase,
|
|
|
|
$forceTagsClosed,
|
|
|
|
$target_charset,
|
|
|
|
$stripRN,
|
|
|
|
$defaultBRText,
|
|
|
|
$defaultSpanText
|
|
|
|
);
|
2016-09-26 00:22:33 +03:00
|
|
|
}
|
2018-07-21 18:27:38 +03:00
|
|
|
|
Catching up | [Main] Debug mode, parse utils, MIME | [Bridges] Add/Improve 20 bridges (#802)
* Debug mode improvements
- Improve debug warning message
- Restore error reporting in debug mode
- Fix 'notice' messages for unset fields
* Add parsing utility functions
html.php
- extractFromDelimiters
- stripWithDelimiters
- stripRecursiveHTMLSection
- markdownToHtml (partial)
bridges
- remove now-duplicate functions
- call functions from html.php instead
* [Anidex] New bridge
Anime torrent tracker
* [Anime-Ultime] Restore thumbnail
* [CNET] Recreate bridge
Full rewrite as the previous one was broken
* [Dilbert] Minor URI fix
Use new self::URI property
* [EstCeQuonMetEnProd] Fix content extraction
Bridge was broken
* [Facebook] Fix "SpSonsSoriSsés" label
... which was taking space in item title
* [Futura-Sciences] Use HTTPS, More cleanup
Use HTTPS as FS now offer HTTPS
Clean additional useless HTML elements
* [GBATemp] Multiple fixes
- Fix categories: missing "break" statements
- Restore thumbnail as enclosure
- Fix date extraction
- Fix user blog post extraction
- Use getSimpleHTMLDOMCached
* [JapanExpo] Fix bridge, HTTPS, thumbnails
- Fix getSimpleHTMLDOMCached call
- Upgrade to HTTPS as JE now offers HTTPS
- Restore thumbnails as enclosures
* [LeMondeInformatique] Fix bridge, HTTPS
- Upgrade to HTTPS as LMI now offers HTTPS
- Restore thumbnails using small images
- Fix content extraction
- Fix text encoding issue
* [Nextgov] Fix content extraction
- Restore thumbnail and use small image
- Field extraction fixes
* [NextInpact] Add categories and filtering by type
- Offer all RSS feeds
- Allow filtering by article type
- Implement extraction for brief articles
- Remove article limit, many brief articles are publied all at once
* [NyaaTorrents] New bridge
Anime torrent tracker
* [Releases3DS] Cache content, restore thumbnail
- Use getSimpleHTMLDOMCached
- Restore thumbnail as enclosure
* [TheHackerNews] Fix bridge
- Fix content extraction including article body
- Restore thumbnail as enclosure
* [WeLiveSecurity] HTTPS, Fix content extraction
- Upgrade to HTTPS as WLS now offers HTTPS
- Fix content extraction including article body
* [WordPress] Reduce timeout, more content selectors
- Reduce timeout to use default one (1h)
- Add new content selector (articleBody)
- Find thumbnail and set as enclosure
- Fix <script> cleanup
* [YGGTorrent] Increase limit, use cache
- Increase item limit as uploads are very frequent
- Use getSimpleHTMLDOMCached
* [ZDNet] Rewrite with FeedExpander
- Upgrade to HTTPS as ZD now offers HTTPS
- Use FeedExpander for secondary fields
- Fix content extraction for article body
* [Main] Handle MIME type for enclosures
Many feed readers will ignore enclosures (e.g. thumbnails) with no MIME type. This commit adds automatic MIME type detection based on file extension (which may be inaccurate but is the only way without fetching the content).
One can force enclosure type using #.ext anchor (hacky, needs improving)
* [FeedExpander] Improve field extraction
- Add support for passing enclosures
- Improve author and uri extraction
- Fix 'notice' PHP error messages
* [Pull] Coding style fixes for #802
* [Pull] Implementing changes for #802
- Fix coding style issues with str append
- Remove useless CACHE_TIMEOUT
- Use count() instead of $limit
- Use defaultLinkTo() + handle strings
- Use http_build_query()
- Fix missing </em>
- Remove error_reporting(0)
- warning CSS (@LogMANOriginal)
- Fix typo in FeedExpander comment
* [Main] More documentation for markdownToHtml
See #802 for more details
2018-09-09 22:20:13 +03:00
|
|
|
/**
|
2018-11-16 23:48:59 +03:00
|
|
|
* Determines the MIME type from a URL/Path file extension.
|
|
|
|
*
|
|
|
|
* _Remarks_:
|
|
|
|
*
|
|
|
|
* * The built-in functions `mime_content_type` and `fileinfo` require fetching
|
|
|
|
* remote contents.
|
|
|
|
* * A caller can hint for a MIME type by appending `#.ext` to the URL (i.e. `#.image`).
|
|
|
|
*
|
Catching up | [Main] Debug mode, parse utils, MIME | [Bridges] Add/Improve 20 bridges (#802)
* Debug mode improvements
- Improve debug warning message
- Restore error reporting in debug mode
- Fix 'notice' messages for unset fields
* Add parsing utility functions
html.php
- extractFromDelimiters
- stripWithDelimiters
- stripRecursiveHTMLSection
- markdownToHtml (partial)
bridges
- remove now-duplicate functions
- call functions from html.php instead
* [Anidex] New bridge
Anime torrent tracker
* [Anime-Ultime] Restore thumbnail
* [CNET] Recreate bridge
Full rewrite as the previous one was broken
* [Dilbert] Minor URI fix
Use new self::URI property
* [EstCeQuonMetEnProd] Fix content extraction
Bridge was broken
* [Facebook] Fix "SpSonsSoriSsés" label
... which was taking space in item title
* [Futura-Sciences] Use HTTPS, More cleanup
Use HTTPS as FS now offer HTTPS
Clean additional useless HTML elements
* [GBATemp] Multiple fixes
- Fix categories: missing "break" statements
- Restore thumbnail as enclosure
- Fix date extraction
- Fix user blog post extraction
- Use getSimpleHTMLDOMCached
* [JapanExpo] Fix bridge, HTTPS, thumbnails
- Fix getSimpleHTMLDOMCached call
- Upgrade to HTTPS as JE now offers HTTPS
- Restore thumbnails as enclosures
* [LeMondeInformatique] Fix bridge, HTTPS
- Upgrade to HTTPS as LMI now offers HTTPS
- Restore thumbnails using small images
- Fix content extraction
- Fix text encoding issue
* [Nextgov] Fix content extraction
- Restore thumbnail and use small image
- Field extraction fixes
* [NextInpact] Add categories and filtering by type
- Offer all RSS feeds
- Allow filtering by article type
- Implement extraction for brief articles
- Remove article limit, many brief articles are publied all at once
* [NyaaTorrents] New bridge
Anime torrent tracker
* [Releases3DS] Cache content, restore thumbnail
- Use getSimpleHTMLDOMCached
- Restore thumbnail as enclosure
* [TheHackerNews] Fix bridge
- Fix content extraction including article body
- Restore thumbnail as enclosure
* [WeLiveSecurity] HTTPS, Fix content extraction
- Upgrade to HTTPS as WLS now offers HTTPS
- Fix content extraction including article body
* [WordPress] Reduce timeout, more content selectors
- Reduce timeout to use default one (1h)
- Add new content selector (articleBody)
- Find thumbnail and set as enclosure
- Fix <script> cleanup
* [YGGTorrent] Increase limit, use cache
- Increase item limit as uploads are very frequent
- Use getSimpleHTMLDOMCached
* [ZDNet] Rewrite with FeedExpander
- Upgrade to HTTPS as ZD now offers HTTPS
- Use FeedExpander for secondary fields
- Fix content extraction for article body
* [Main] Handle MIME type for enclosures
Many feed readers will ignore enclosures (e.g. thumbnails) with no MIME type. This commit adds automatic MIME type detection based on file extension (which may be inaccurate but is the only way without fetching the content).
One can force enclosure type using #.ext anchor (hacky, needs improving)
* [FeedExpander] Improve field extraction
- Add support for passing enclosures
- Improve author and uri extraction
- Fix 'notice' PHP error messages
* [Pull] Coding style fixes for #802
* [Pull] Implementing changes for #802
- Fix coding style issues with str append
- Remove useless CACHE_TIMEOUT
- Use count() instead of $limit
- Use defaultLinkTo() + handle strings
- Use http_build_query()
- Fix missing </em>
- Remove error_reporting(0)
- warning CSS (@LogMANOriginal)
- Fix typo in FeedExpander comment
* [Main] More documentation for markdownToHtml
See #802 for more details
2018-09-09 22:20:13 +03:00
|
|
|
* Based on https://stackoverflow.com/a/1147952
|
2018-11-16 23:48:59 +03:00
|
|
|
*
|
|
|
|
* @param string $url The URL or path to the file.
|
|
|
|
* @return string The MIME type of the file.
|
Catching up | [Main] Debug mode, parse utils, MIME | [Bridges] Add/Improve 20 bridges (#802)
* Debug mode improvements
- Improve debug warning message
- Restore error reporting in debug mode
- Fix 'notice' messages for unset fields
* Add parsing utility functions
html.php
- extractFromDelimiters
- stripWithDelimiters
- stripRecursiveHTMLSection
- markdownToHtml (partial)
bridges
- remove now-duplicate functions
- call functions from html.php instead
* [Anidex] New bridge
Anime torrent tracker
* [Anime-Ultime] Restore thumbnail
* [CNET] Recreate bridge
Full rewrite as the previous one was broken
* [Dilbert] Minor URI fix
Use new self::URI property
* [EstCeQuonMetEnProd] Fix content extraction
Bridge was broken
* [Facebook] Fix "SpSonsSoriSsés" label
... which was taking space in item title
* [Futura-Sciences] Use HTTPS, More cleanup
Use HTTPS as FS now offer HTTPS
Clean additional useless HTML elements
* [GBATemp] Multiple fixes
- Fix categories: missing "break" statements
- Restore thumbnail as enclosure
- Fix date extraction
- Fix user blog post extraction
- Use getSimpleHTMLDOMCached
* [JapanExpo] Fix bridge, HTTPS, thumbnails
- Fix getSimpleHTMLDOMCached call
- Upgrade to HTTPS as JE now offers HTTPS
- Restore thumbnails as enclosures
* [LeMondeInformatique] Fix bridge, HTTPS
- Upgrade to HTTPS as LMI now offers HTTPS
- Restore thumbnails using small images
- Fix content extraction
- Fix text encoding issue
* [Nextgov] Fix content extraction
- Restore thumbnail and use small image
- Field extraction fixes
* [NextInpact] Add categories and filtering by type
- Offer all RSS feeds
- Allow filtering by article type
- Implement extraction for brief articles
- Remove article limit, many brief articles are publied all at once
* [NyaaTorrents] New bridge
Anime torrent tracker
* [Releases3DS] Cache content, restore thumbnail
- Use getSimpleHTMLDOMCached
- Restore thumbnail as enclosure
* [TheHackerNews] Fix bridge
- Fix content extraction including article body
- Restore thumbnail as enclosure
* [WeLiveSecurity] HTTPS, Fix content extraction
- Upgrade to HTTPS as WLS now offers HTTPS
- Fix content extraction including article body
* [WordPress] Reduce timeout, more content selectors
- Reduce timeout to use default one (1h)
- Add new content selector (articleBody)
- Find thumbnail and set as enclosure
- Fix <script> cleanup
* [YGGTorrent] Increase limit, use cache
- Increase item limit as uploads are very frequent
- Use getSimpleHTMLDOMCached
* [ZDNet] Rewrite with FeedExpander
- Upgrade to HTTPS as ZD now offers HTTPS
- Use FeedExpander for secondary fields
- Fix content extraction for article body
* [Main] Handle MIME type for enclosures
Many feed readers will ignore enclosures (e.g. thumbnails) with no MIME type. This commit adds automatic MIME type detection based on file extension (which may be inaccurate but is the only way without fetching the content).
One can force enclosure type using #.ext anchor (hacky, needs improving)
* [FeedExpander] Improve field extraction
- Add support for passing enclosures
- Improve author and uri extraction
- Fix 'notice' PHP error messages
* [Pull] Coding style fixes for #802
* [Pull] Implementing changes for #802
- Fix coding style issues with str append
- Remove useless CACHE_TIMEOUT
- Use count() instead of $limit
- Use defaultLinkTo() + handle strings
- Use http_build_query()
- Fix missing </em>
- Remove error_reporting(0)
- warning CSS (@LogMANOriginal)
- Fix typo in FeedExpander comment
* [Main] More documentation for markdownToHtml
See #802 for more details
2018-09-09 22:20:13 +03:00
|
|
|
*/
|
|
|
|
function getMimeType($url)
|
|
|
|
{
|
|
|
|
static $mime = null;
|
|
|
|
|
|
|
|
if (is_null($mime)) {
|
2018-09-15 15:46:11 +03:00
|
|
|
// Default values, overriden by /etc/mime.types when present
|
Catching up | [Main] Debug mode, parse utils, MIME | [Bridges] Add/Improve 20 bridges (#802)
* Debug mode improvements
- Improve debug warning message
- Restore error reporting in debug mode
- Fix 'notice' messages for unset fields
* Add parsing utility functions
html.php
- extractFromDelimiters
- stripWithDelimiters
- stripRecursiveHTMLSection
- markdownToHtml (partial)
bridges
- remove now-duplicate functions
- call functions from html.php instead
* [Anidex] New bridge
Anime torrent tracker
* [Anime-Ultime] Restore thumbnail
* [CNET] Recreate bridge
Full rewrite as the previous one was broken
* [Dilbert] Minor URI fix
Use new self::URI property
* [EstCeQuonMetEnProd] Fix content extraction
Bridge was broken
* [Facebook] Fix "SpSonsSoriSsés" label
... which was taking space in item title
* [Futura-Sciences] Use HTTPS, More cleanup
Use HTTPS as FS now offer HTTPS
Clean additional useless HTML elements
* [GBATemp] Multiple fixes
- Fix categories: missing "break" statements
- Restore thumbnail as enclosure
- Fix date extraction
- Fix user blog post extraction
- Use getSimpleHTMLDOMCached
* [JapanExpo] Fix bridge, HTTPS, thumbnails
- Fix getSimpleHTMLDOMCached call
- Upgrade to HTTPS as JE now offers HTTPS
- Restore thumbnails as enclosures
* [LeMondeInformatique] Fix bridge, HTTPS
- Upgrade to HTTPS as LMI now offers HTTPS
- Restore thumbnails using small images
- Fix content extraction
- Fix text encoding issue
* [Nextgov] Fix content extraction
- Restore thumbnail and use small image
- Field extraction fixes
* [NextInpact] Add categories and filtering by type
- Offer all RSS feeds
- Allow filtering by article type
- Implement extraction for brief articles
- Remove article limit, many brief articles are publied all at once
* [NyaaTorrents] New bridge
Anime torrent tracker
* [Releases3DS] Cache content, restore thumbnail
- Use getSimpleHTMLDOMCached
- Restore thumbnail as enclosure
* [TheHackerNews] Fix bridge
- Fix content extraction including article body
- Restore thumbnail as enclosure
* [WeLiveSecurity] HTTPS, Fix content extraction
- Upgrade to HTTPS as WLS now offers HTTPS
- Fix content extraction including article body
* [WordPress] Reduce timeout, more content selectors
- Reduce timeout to use default one (1h)
- Add new content selector (articleBody)
- Find thumbnail and set as enclosure
- Fix <script> cleanup
* [YGGTorrent] Increase limit, use cache
- Increase item limit as uploads are very frequent
- Use getSimpleHTMLDOMCached
* [ZDNet] Rewrite with FeedExpander
- Upgrade to HTTPS as ZD now offers HTTPS
- Use FeedExpander for secondary fields
- Fix content extraction for article body
* [Main] Handle MIME type for enclosures
Many feed readers will ignore enclosures (e.g. thumbnails) with no MIME type. This commit adds automatic MIME type detection based on file extension (which may be inaccurate but is the only way without fetching the content).
One can force enclosure type using #.ext anchor (hacky, needs improving)
* [FeedExpander] Improve field extraction
- Add support for passing enclosures
- Improve author and uri extraction
- Fix 'notice' PHP error messages
* [Pull] Coding style fixes for #802
* [Pull] Implementing changes for #802
- Fix coding style issues with str append
- Remove useless CACHE_TIMEOUT
- Use count() instead of $limit
- Use defaultLinkTo() + handle strings
- Use http_build_query()
- Fix missing </em>
- Remove error_reporting(0)
- warning CSS (@LogMANOriginal)
- Fix typo in FeedExpander comment
* [Main] More documentation for markdownToHtml
See #802 for more details
2018-09-09 22:20:13 +03:00
|
|
|
$mime = [
|
|
|
|
'jpg' => 'image/jpeg',
|
|
|
|
'gif' => 'image/gif',
|
|
|
|
'png' => 'image/png',
|
2022-06-10 05:41:10 +03:00
|
|
|
'image' => 'image/*',
|
|
|
|
'mp3' => 'audio/mpeg',
|
Catching up | [Main] Debug mode, parse utils, MIME | [Bridges] Add/Improve 20 bridges (#802)
* Debug mode improvements
- Improve debug warning message
- Restore error reporting in debug mode
- Fix 'notice' messages for unset fields
* Add parsing utility functions
html.php
- extractFromDelimiters
- stripWithDelimiters
- stripRecursiveHTMLSection
- markdownToHtml (partial)
bridges
- remove now-duplicate functions
- call functions from html.php instead
* [Anidex] New bridge
Anime torrent tracker
* [Anime-Ultime] Restore thumbnail
* [CNET] Recreate bridge
Full rewrite as the previous one was broken
* [Dilbert] Minor URI fix
Use new self::URI property
* [EstCeQuonMetEnProd] Fix content extraction
Bridge was broken
* [Facebook] Fix "SpSonsSoriSsés" label
... which was taking space in item title
* [Futura-Sciences] Use HTTPS, More cleanup
Use HTTPS as FS now offer HTTPS
Clean additional useless HTML elements
* [GBATemp] Multiple fixes
- Fix categories: missing "break" statements
- Restore thumbnail as enclosure
- Fix date extraction
- Fix user blog post extraction
- Use getSimpleHTMLDOMCached
* [JapanExpo] Fix bridge, HTTPS, thumbnails
- Fix getSimpleHTMLDOMCached call
- Upgrade to HTTPS as JE now offers HTTPS
- Restore thumbnails as enclosures
* [LeMondeInformatique] Fix bridge, HTTPS
- Upgrade to HTTPS as LMI now offers HTTPS
- Restore thumbnails using small images
- Fix content extraction
- Fix text encoding issue
* [Nextgov] Fix content extraction
- Restore thumbnail and use small image
- Field extraction fixes
* [NextInpact] Add categories and filtering by type
- Offer all RSS feeds
- Allow filtering by article type
- Implement extraction for brief articles
- Remove article limit, many brief articles are publied all at once
* [NyaaTorrents] New bridge
Anime torrent tracker
* [Releases3DS] Cache content, restore thumbnail
- Use getSimpleHTMLDOMCached
- Restore thumbnail as enclosure
* [TheHackerNews] Fix bridge
- Fix content extraction including article body
- Restore thumbnail as enclosure
* [WeLiveSecurity] HTTPS, Fix content extraction
- Upgrade to HTTPS as WLS now offers HTTPS
- Fix content extraction including article body
* [WordPress] Reduce timeout, more content selectors
- Reduce timeout to use default one (1h)
- Add new content selector (articleBody)
- Find thumbnail and set as enclosure
- Fix <script> cleanup
* [YGGTorrent] Increase limit, use cache
- Increase item limit as uploads are very frequent
- Use getSimpleHTMLDOMCached
* [ZDNet] Rewrite with FeedExpander
- Upgrade to HTTPS as ZD now offers HTTPS
- Use FeedExpander for secondary fields
- Fix content extraction for article body
* [Main] Handle MIME type for enclosures
Many feed readers will ignore enclosures (e.g. thumbnails) with no MIME type. This commit adds automatic MIME type detection based on file extension (which may be inaccurate but is the only way without fetching the content).
One can force enclosure type using #.ext anchor (hacky, needs improving)
* [FeedExpander] Improve field extraction
- Add support for passing enclosures
- Improve author and uri extraction
- Fix 'notice' PHP error messages
* [Pull] Coding style fixes for #802
* [Pull] Implementing changes for #802
- Fix coding style issues with str append
- Remove useless CACHE_TIMEOUT
- Use count() instead of $limit
- Use defaultLinkTo() + handle strings
- Use http_build_query()
- Fix missing </em>
- Remove error_reporting(0)
- warning CSS (@LogMANOriginal)
- Fix typo in FeedExpander comment
* [Main] More documentation for markdownToHtml
See #802 for more details
2018-09-09 22:20:13 +03:00
|
|
|
];
|
2018-09-15 15:46:11 +03:00
|
|
|
// '@' is used to mute open_basedir warning, see issue #818
|
|
|
|
if (@is_readable('/etc/mime.types')) {
|
Catching up | [Main] Debug mode, parse utils, MIME | [Bridges] Add/Improve 20 bridges (#802)
* Debug mode improvements
- Improve debug warning message
- Restore error reporting in debug mode
- Fix 'notice' messages for unset fields
* Add parsing utility functions
html.php
- extractFromDelimiters
- stripWithDelimiters
- stripRecursiveHTMLSection
- markdownToHtml (partial)
bridges
- remove now-duplicate functions
- call functions from html.php instead
* [Anidex] New bridge
Anime torrent tracker
* [Anime-Ultime] Restore thumbnail
* [CNET] Recreate bridge
Full rewrite as the previous one was broken
* [Dilbert] Minor URI fix
Use new self::URI property
* [EstCeQuonMetEnProd] Fix content extraction
Bridge was broken
* [Facebook] Fix "SpSonsSoriSsés" label
... which was taking space in item title
* [Futura-Sciences] Use HTTPS, More cleanup
Use HTTPS as FS now offer HTTPS
Clean additional useless HTML elements
* [GBATemp] Multiple fixes
- Fix categories: missing "break" statements
- Restore thumbnail as enclosure
- Fix date extraction
- Fix user blog post extraction
- Use getSimpleHTMLDOMCached
* [JapanExpo] Fix bridge, HTTPS, thumbnails
- Fix getSimpleHTMLDOMCached call
- Upgrade to HTTPS as JE now offers HTTPS
- Restore thumbnails as enclosures
* [LeMondeInformatique] Fix bridge, HTTPS
- Upgrade to HTTPS as LMI now offers HTTPS
- Restore thumbnails using small images
- Fix content extraction
- Fix text encoding issue
* [Nextgov] Fix content extraction
- Restore thumbnail and use small image
- Field extraction fixes
* [NextInpact] Add categories and filtering by type
- Offer all RSS feeds
- Allow filtering by article type
- Implement extraction for brief articles
- Remove article limit, many brief articles are publied all at once
* [NyaaTorrents] New bridge
Anime torrent tracker
* [Releases3DS] Cache content, restore thumbnail
- Use getSimpleHTMLDOMCached
- Restore thumbnail as enclosure
* [TheHackerNews] Fix bridge
- Fix content extraction including article body
- Restore thumbnail as enclosure
* [WeLiveSecurity] HTTPS, Fix content extraction
- Upgrade to HTTPS as WLS now offers HTTPS
- Fix content extraction including article body
* [WordPress] Reduce timeout, more content selectors
- Reduce timeout to use default one (1h)
- Add new content selector (articleBody)
- Find thumbnail and set as enclosure
- Fix <script> cleanup
* [YGGTorrent] Increase limit, use cache
- Increase item limit as uploads are very frequent
- Use getSimpleHTMLDOMCached
* [ZDNet] Rewrite with FeedExpander
- Upgrade to HTTPS as ZD now offers HTTPS
- Use FeedExpander for secondary fields
- Fix content extraction for article body
* [Main] Handle MIME type for enclosures
Many feed readers will ignore enclosures (e.g. thumbnails) with no MIME type. This commit adds automatic MIME type detection based on file extension (which may be inaccurate but is the only way without fetching the content).
One can force enclosure type using #.ext anchor (hacky, needs improving)
* [FeedExpander] Improve field extraction
- Add support for passing enclosures
- Improve author and uri extraction
- Fix 'notice' PHP error messages
* [Pull] Coding style fixes for #802
* [Pull] Implementing changes for #802
- Fix coding style issues with str append
- Remove useless CACHE_TIMEOUT
- Use count() instead of $limit
- Use defaultLinkTo() + handle strings
- Use http_build_query()
- Fix missing </em>
- Remove error_reporting(0)
- warning CSS (@LogMANOriginal)
- Fix typo in FeedExpander comment
* [Main] More documentation for markdownToHtml
See #802 for more details
2018-09-09 22:20:13 +03:00
|
|
|
$file = fopen('/etc/mime.types', 'r');
|
|
|
|
while (($line = fgets($file)) !== false) {
|
|
|
|
$line = trim(preg_replace('/#.*/', '', $line));
|
|
|
|
if (!$line) {
|
|
|
|
continue;
|
2022-07-01 16:10:30 +03:00
|
|
|
}
|
Catching up | [Main] Debug mode, parse utils, MIME | [Bridges] Add/Improve 20 bridges (#802)
* Debug mode improvements
- Improve debug warning message
- Restore error reporting in debug mode
- Fix 'notice' messages for unset fields
* Add parsing utility functions
html.php
- extractFromDelimiters
- stripWithDelimiters
- stripRecursiveHTMLSection
- markdownToHtml (partial)
bridges
- remove now-duplicate functions
- call functions from html.php instead
* [Anidex] New bridge
Anime torrent tracker
* [Anime-Ultime] Restore thumbnail
* [CNET] Recreate bridge
Full rewrite as the previous one was broken
* [Dilbert] Minor URI fix
Use new self::URI property
* [EstCeQuonMetEnProd] Fix content extraction
Bridge was broken
* [Facebook] Fix "SpSonsSoriSsés" label
... which was taking space in item title
* [Futura-Sciences] Use HTTPS, More cleanup
Use HTTPS as FS now offer HTTPS
Clean additional useless HTML elements
* [GBATemp] Multiple fixes
- Fix categories: missing "break" statements
- Restore thumbnail as enclosure
- Fix date extraction
- Fix user blog post extraction
- Use getSimpleHTMLDOMCached
* [JapanExpo] Fix bridge, HTTPS, thumbnails
- Fix getSimpleHTMLDOMCached call
- Upgrade to HTTPS as JE now offers HTTPS
- Restore thumbnails as enclosures
* [LeMondeInformatique] Fix bridge, HTTPS
- Upgrade to HTTPS as LMI now offers HTTPS
- Restore thumbnails using small images
- Fix content extraction
- Fix text encoding issue
* [Nextgov] Fix content extraction
- Restore thumbnail and use small image
- Field extraction fixes
* [NextInpact] Add categories and filtering by type
- Offer all RSS feeds
- Allow filtering by article type
- Implement extraction for brief articles
- Remove article limit, many brief articles are publied all at once
* [NyaaTorrents] New bridge
Anime torrent tracker
* [Releases3DS] Cache content, restore thumbnail
- Use getSimpleHTMLDOMCached
- Restore thumbnail as enclosure
* [TheHackerNews] Fix bridge
- Fix content extraction including article body
- Restore thumbnail as enclosure
* [WeLiveSecurity] HTTPS, Fix content extraction
- Upgrade to HTTPS as WLS now offers HTTPS
- Fix content extraction including article body
* [WordPress] Reduce timeout, more content selectors
- Reduce timeout to use default one (1h)
- Add new content selector (articleBody)
- Find thumbnail and set as enclosure
- Fix <script> cleanup
* [YGGTorrent] Increase limit, use cache
- Increase item limit as uploads are very frequent
- Use getSimpleHTMLDOMCached
* [ZDNet] Rewrite with FeedExpander
- Upgrade to HTTPS as ZD now offers HTTPS
- Use FeedExpander for secondary fields
- Fix content extraction for article body
* [Main] Handle MIME type for enclosures
Many feed readers will ignore enclosures (e.g. thumbnails) with no MIME type. This commit adds automatic MIME type detection based on file extension (which may be inaccurate but is the only way without fetching the content).
One can force enclosure type using #.ext anchor (hacky, needs improving)
* [FeedExpander] Improve field extraction
- Add support for passing enclosures
- Improve author and uri extraction
- Fix 'notice' PHP error messages
* [Pull] Coding style fixes for #802
* [Pull] Implementing changes for #802
- Fix coding style issues with str append
- Remove useless CACHE_TIMEOUT
- Use count() instead of $limit
- Use defaultLinkTo() + handle strings
- Use http_build_query()
- Fix missing </em>
- Remove error_reporting(0)
- warning CSS (@LogMANOriginal)
- Fix typo in FeedExpander comment
* [Main] More documentation for markdownToHtml
See #802 for more details
2018-09-09 22:20:13 +03:00
|
|
|
$parts = preg_split('/\s+/', $line);
|
|
|
|
if (count($parts) == 1) {
|
|
|
|
continue;
|
2022-07-01 16:10:30 +03:00
|
|
|
}
|
Catching up | [Main] Debug mode, parse utils, MIME | [Bridges] Add/Improve 20 bridges (#802)
* Debug mode improvements
- Improve debug warning message
- Restore error reporting in debug mode
- Fix 'notice' messages for unset fields
* Add parsing utility functions
html.php
- extractFromDelimiters
- stripWithDelimiters
- stripRecursiveHTMLSection
- markdownToHtml (partial)
bridges
- remove now-duplicate functions
- call functions from html.php instead
* [Anidex] New bridge
Anime torrent tracker
* [Anime-Ultime] Restore thumbnail
* [CNET] Recreate bridge
Full rewrite as the previous one was broken
* [Dilbert] Minor URI fix
Use new self::URI property
* [EstCeQuonMetEnProd] Fix content extraction
Bridge was broken
* [Facebook] Fix "SpSonsSoriSsés" label
... which was taking space in item title
* [Futura-Sciences] Use HTTPS, More cleanup
Use HTTPS as FS now offer HTTPS
Clean additional useless HTML elements
* [GBATemp] Multiple fixes
- Fix categories: missing "break" statements
- Restore thumbnail as enclosure
- Fix date extraction
- Fix user blog post extraction
- Use getSimpleHTMLDOMCached
* [JapanExpo] Fix bridge, HTTPS, thumbnails
- Fix getSimpleHTMLDOMCached call
- Upgrade to HTTPS as JE now offers HTTPS
- Restore thumbnails as enclosures
* [LeMondeInformatique] Fix bridge, HTTPS
- Upgrade to HTTPS as LMI now offers HTTPS
- Restore thumbnails using small images
- Fix content extraction
- Fix text encoding issue
* [Nextgov] Fix content extraction
- Restore thumbnail and use small image
- Field extraction fixes
* [NextInpact] Add categories and filtering by type
- Offer all RSS feeds
- Allow filtering by article type
- Implement extraction for brief articles
- Remove article limit, many brief articles are publied all at once
* [NyaaTorrents] New bridge
Anime torrent tracker
* [Releases3DS] Cache content, restore thumbnail
- Use getSimpleHTMLDOMCached
- Restore thumbnail as enclosure
* [TheHackerNews] Fix bridge
- Fix content extraction including article body
- Restore thumbnail as enclosure
* [WeLiveSecurity] HTTPS, Fix content extraction
- Upgrade to HTTPS as WLS now offers HTTPS
- Fix content extraction including article body
* [WordPress] Reduce timeout, more content selectors
- Reduce timeout to use default one (1h)
- Add new content selector (articleBody)
- Find thumbnail and set as enclosure
- Fix <script> cleanup
* [YGGTorrent] Increase limit, use cache
- Increase item limit as uploads are very frequent
- Use getSimpleHTMLDOMCached
* [ZDNet] Rewrite with FeedExpander
- Upgrade to HTTPS as ZD now offers HTTPS
- Use FeedExpander for secondary fields
- Fix content extraction for article body
* [Main] Handle MIME type for enclosures
Many feed readers will ignore enclosures (e.g. thumbnails) with no MIME type. This commit adds automatic MIME type detection based on file extension (which may be inaccurate but is the only way without fetching the content).
One can force enclosure type using #.ext anchor (hacky, needs improving)
* [FeedExpander] Improve field extraction
- Add support for passing enclosures
- Improve author and uri extraction
- Fix 'notice' PHP error messages
* [Pull] Coding style fixes for #802
* [Pull] Implementing changes for #802
- Fix coding style issues with str append
- Remove useless CACHE_TIMEOUT
- Use count() instead of $limit
- Use defaultLinkTo() + handle strings
- Use http_build_query()
- Fix missing </em>
- Remove error_reporting(0)
- warning CSS (@LogMANOriginal)
- Fix typo in FeedExpander comment
* [Main] More documentation for markdownToHtml
See #802 for more details
2018-09-09 22:20:13 +03:00
|
|
|
$type = array_shift($parts);
|
|
|
|
foreach ($parts as $part) {
|
|
|
|
$mime[$part] = $type;
|
2022-07-01 16:10:30 +03:00
|
|
|
}
|
Catching up | [Main] Debug mode, parse utils, MIME | [Bridges] Add/Improve 20 bridges (#802)
* Debug mode improvements
- Improve debug warning message
- Restore error reporting in debug mode
- Fix 'notice' messages for unset fields
* Add parsing utility functions
html.php
- extractFromDelimiters
- stripWithDelimiters
- stripRecursiveHTMLSection
- markdownToHtml (partial)
bridges
- remove now-duplicate functions
- call functions from html.php instead
* [Anidex] New bridge
Anime torrent tracker
* [Anime-Ultime] Restore thumbnail
* [CNET] Recreate bridge
Full rewrite as the previous one was broken
* [Dilbert] Minor URI fix
Use new self::URI property
* [EstCeQuonMetEnProd] Fix content extraction
Bridge was broken
* [Facebook] Fix "SpSonsSoriSsés" label
... which was taking space in item title
* [Futura-Sciences] Use HTTPS, More cleanup
Use HTTPS as FS now offer HTTPS
Clean additional useless HTML elements
* [GBATemp] Multiple fixes
- Fix categories: missing "break" statements
- Restore thumbnail as enclosure
- Fix date extraction
- Fix user blog post extraction
- Use getSimpleHTMLDOMCached
* [JapanExpo] Fix bridge, HTTPS, thumbnails
- Fix getSimpleHTMLDOMCached call
- Upgrade to HTTPS as JE now offers HTTPS
- Restore thumbnails as enclosures
* [LeMondeInformatique] Fix bridge, HTTPS
- Upgrade to HTTPS as LMI now offers HTTPS
- Restore thumbnails using small images
- Fix content extraction
- Fix text encoding issue
* [Nextgov] Fix content extraction
- Restore thumbnail and use small image
- Field extraction fixes
* [NextInpact] Add categories and filtering by type
- Offer all RSS feeds
- Allow filtering by article type
- Implement extraction for brief articles
- Remove article limit, many brief articles are publied all at once
* [NyaaTorrents] New bridge
Anime torrent tracker
* [Releases3DS] Cache content, restore thumbnail
- Use getSimpleHTMLDOMCached
- Restore thumbnail as enclosure
* [TheHackerNews] Fix bridge
- Fix content extraction including article body
- Restore thumbnail as enclosure
* [WeLiveSecurity] HTTPS, Fix content extraction
- Upgrade to HTTPS as WLS now offers HTTPS
- Fix content extraction including article body
* [WordPress] Reduce timeout, more content selectors
- Reduce timeout to use default one (1h)
- Add new content selector (articleBody)
- Find thumbnail and set as enclosure
- Fix <script> cleanup
* [YGGTorrent] Increase limit, use cache
- Increase item limit as uploads are very frequent
- Use getSimpleHTMLDOMCached
* [ZDNet] Rewrite with FeedExpander
- Upgrade to HTTPS as ZD now offers HTTPS
- Use FeedExpander for secondary fields
- Fix content extraction for article body
* [Main] Handle MIME type for enclosures
Many feed readers will ignore enclosures (e.g. thumbnails) with no MIME type. This commit adds automatic MIME type detection based on file extension (which may be inaccurate but is the only way without fetching the content).
One can force enclosure type using #.ext anchor (hacky, needs improving)
* [FeedExpander] Improve field extraction
- Add support for passing enclosures
- Improve author and uri extraction
- Fix 'notice' PHP error messages
* [Pull] Coding style fixes for #802
* [Pull] Implementing changes for #802
- Fix coding style issues with str append
- Remove useless CACHE_TIMEOUT
- Use count() instead of $limit
- Use defaultLinkTo() + handle strings
- Use http_build_query()
- Fix missing </em>
- Remove error_reporting(0)
- warning CSS (@LogMANOriginal)
- Fix typo in FeedExpander comment
* [Main] More documentation for markdownToHtml
See #802 for more details
2018-09-09 22:20:13 +03:00
|
|
|
}
|
|
|
|
fclose($file);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
if (strpos($url, '?') !== false) {
|
|
|
|
$url_temp = substr($url, 0, strpos($url, '?'));
|
|
|
|
if (strpos($url, '#') !== false) {
|
|
|
|
$anchor = substr($url, strpos($url, '#'));
|
|
|
|
$url_temp .= $anchor;
|
|
|
|
}
|
|
|
|
$url = $url_temp;
|
|
|
|
}
|
|
|
|
|
|
|
|
$ext = strtolower(pathinfo($url, PATHINFO_EXTENSION));
|
|
|
|
if (!empty($mime[$ext])) {
|
|
|
|
return $mime[$ext];
|
|
|
|
}
|
|
|
|
|
|
|
|
return 'application/octet-stream';
|
|
|
|
}
|