I got this error message:
PHP Fatal error: Call to a member function get() on null in /home/key2demo/domains/key2datafeed.com/public_html/ocdemoshops/oc23/system/engine/controller.php on line 10
All the code in the controller is:
<?php
abstract class Controller {
protected $registry;
public function __construct($registry) {
$this->registry = $registry;
}
public function __get($key) {
return $this->registry->get($key);
}
public function __set($key, $value) {
$this->registry->set($key, $value);
}
}
The code i use registry in is this:
define("VERSION", "1.0");
define("LANGUAGE", "1");
if (is_file('./../admin/config.php')) {
require_once('./../admin/config.php');
}
require_once(DIR_SYSTEM . 'startup.php');
$application_config = 'admin';
$registry = new Registry();
$loader = new Loader($registry);
$registry->set('load', $loader);
$config = new Config();
$config->load('default');
$config->load($application_config);
$registry->set('config', $config);
$registry->set('request', new Request());
$response = new Response();
$response->addHeader('Content-Type: text/html; charset=utf-8');
$registry->set('response', $response);
$registry->set('cache', new Cache($config->get('cache_type'), $config-
>get('cache_expire')));
$registry->set('url', new Url($config->get('site_ssl')));
$language = new Language($config->get('language_default'));
$language->load($config->get('language_default'));
$registry->set('language', $language);
$registry->set('document', new Document());
$event = new Event($registry);
$registry->set('event', $event);
if ($config->get('db_autostart')) {
$registry->set('db', new DB($config->get('db_type'), $config-
>get('db_hostname'), $config->get('db_username'), $config-
>get('db_password'), $config->get('db_database'), $config-
>get('db_port')));
}
if ($config->get('session_autostart')) {
$session = new Session();
$session->start();
$registry->set('session', $session);
}
if ($config->has('action_event')) {
foreach ($config->get('action_event') as $key => $value) {
$event->register($key, new Action($value));
}
}
if ($config->has('config_autoload')) {
foreach ($config->get('config_autoload') as $value) {
$loader->config($value);
}
}
if ($config->has('language_autoload')) {
foreach ($config->get('language_autoload') as $value) {
$loader->language($value);
}
}
if ($config->has('library_autoload')) {
foreach ($config->get('library_autoload') as $value) {
$loader->library($value);
}
}
if ($config->has('model_autoload')) {
foreach ($config->get('model_autoload') as $value) {
$loader->model($value);
}
}
class K2P_API_OCWRITER extends Controller
{
private $errors;
private $admin;
private $adminValidated;
private $adminShops;
public function __construct()
{
$this->errors = array();
}
public function doLog($message)
{
file_put_contents('./key2_log.txt', $message, FILE_APPEND);
}
public function login($usr, $pwd)
{
if ($this->user->login($usr, $pwd)) {
return true;
$this->doLog('logged in');
} else {
$this->doLog('Failed to login, please supply a valid
username/password and check your webshop url');
die;
}
}
public function getLanguages()
{
}
}
$db = new DB(DB_DRIVER, DB_HOSTNAME, DB_USERNAME, DB_PASSWORD, DB_DATABASE);
$registry->set('db', $db);
$registry->set('user', new CartUser($registry));
$registry->set('tax', new CartTax($registry));
$myAPI = new K2P_API_OCWRITER($registry);
$myAPI->config->set("config_language_id",LANGUAGE);
$command = $myAPI->cleanPost($_POST['command']);
$steps = $myAPI->cleanPost($_POST['steps']);
$page = $myAPI->cleanPost($_POST['page']);
$usr = $myAPI->cleanPost($_POST['usr']);
$pwd = $myAPI->cleanPost($_POST['pwd']);
//$myAPI->doLog(PHP_EOL . 'pages: ' . $page);
//$myAPI->doLog(PHP_EOL . 'steps: ' . $steps);
$totalProducts = $myAPI->getProductCount();
if ($myAPI->checkInput($usr,$pwd,$command,$page,$steps)) {
if ($myAPI->login($usr, $pwd)) {
switch($command){
case "getCategoryCount":
echo json_encode($myAPI->getCategoryCount(),JSON_FORCE_OBJECT
| JSON_UNESCAPED_SLASHES);
break;
case "getProductCount";
echo json_encode($myAPI->getProductCount(),JSON_FORCE_OBJECT |
JSON_UNESCAPED_SLASHES);
break;
case "getCategories":
echo json_encode($myAPI->getCategories($steps, $page,
JSON_FORCE_OBJECT | JSON_UNESCAPED_SLASHES));
break;
case "getProducts":
echo json_encode($myAPI->getProducts($steps, $page,
JSON_FORCE_OBJECT | JSON_UNESCAPED_SLASHES));
break;
default:
echo "Invalid command!";
break;
}
}
}
How can i fix it?
In the last article, we saw how to preserve formatting when pasting text in PhpStorm. In this series of articles, we’ll look at a common error in MODX, the most likely cause, and how to prevent it.
The Error
If you use MODX and write some of your own PHP code, you’ve likely seen this error somewhere along the line:
Error: Call to a member function get() on null
Depending on where the error occurs, you may also see a reference to a file and a line number.
The Cause
While I hesitate to use qualifiers like «always» and «never,» every time I’ve seen this error, it has the same cause. It happens when the code has tried to retrieve a MODX object and failed, then tried to access a field of the object without checking to see if the object has really been retrieved.
Code like the following example is, by far, the most common cause of this error:
$docs = $modx->getCollection('modResource'); foreach ($docs as $doc) { $parentId = $doc->get('parent'); $parentObject = $modx->getObject('modResource', $parentId); // or $parentObject = $doc->getOne('Parent'); /* no error so far */ $output .= '<li>' . $parentObject->get('pagetitle') . '</li>'; } return $output;
Can you see why the code above is guaranteed to throw the error? First, it gets every resource on the site, then it gets the each resource’s parent. Finally, it gets the parent’s pagetitle with get()
.
What’s wrong with that? Some of the resources will be at the root of the site and will have no parent! Their parent
field contains a 0
. Since no resource has 0
for an ID, the getObject()
call (or the getOne()
call) will fail and return null
. That means the $parentObject
variable will contain null
. When we try to call $parentObject->get('pagetitle')
, PHP complains that we’re trying to call get()
on null
.
In the next article, we’ll look at how to prevent this error.
Coming Up
In the next article, we’ll look at one method for preventing the error.
Looking for high-quality, MODX-friendly hosting? As of May 2016, Bob’s Guides is hosted at A2 hosting. (More information in the box below.)
-
-
- 82 Posts
Send PM
Hi all.
I get this error in my snippet:
MODx Revo 2.6.5
PHP 7Fatal error: Uncaught Error: Call to a member function get() on null in /core/cache/includes/elements/modsnippet/186.include.cache.php:21 Stack trace: #0 /core/model/modx/modscript.class.php(70): include() #1 /core/model/modx/modparser.class.php(536): modScript->process(NULL) #2 /core/components/pdotools/model/pdotools/pdoparser.class.php(273): modParser->processTag(Array, true) #3 /core/model/modx/modparser.class.php(250): pdoParser->processTag(Array, true) #4 /core/components/pdotools/model/pdotools/pdoparser.class.php(65): modParser->processElementTags('', '<!doctype html>...', true, false, '[[', ']]', Array, 9) #5 /core/model/modx/modresponse.class.php(69): pdoParser->processElementTags('', '<!doctype html>...', true, false, '[[', ']]', Array, 10) #6 /core/model/modx/modrequ in /core/cache/includes/elements/modsnippet/186.include.cache.php on line 21
MyFF Snippet:
<?php /* $tv = Name der Template Variablen $id = ID der Ressource Beispiel: [[!myFF? &tv=`pagetitle` &id=`27`]] */ //------------ Template Variable einer bestimmten Ressource-ID ausgeben ---------------------// $parent = $modx->getObject('modResource', $id); //Der Aufruf zwischen den RessourceFields und den vom User angelegten TV's unterscheidet sich durch "get" und "getTVValue", deswegen if else...// if ($tv == "pagetitle" or $tv == "longtitle" or $tv == "description" or $tv == "alias" or $tv == "link_attributes" or $tv == "published" or $tv == "pub_date" or $tv == "unpub_date" or $tv == "parent" or $tv == "isfolder" or $tv == "introtext" or $tv == "content" or $tv == "richtext" or $tv == "template" or $tv == "menuindex" or $tv == "searchable" or $tv == "cacheable" or $tv == "createdby" or $tv == "createdon" or $tv == "editedby" or $tv == "editedon" or $tv == "deleted" or $tv == "deletedon" or $tv == "deletedby" or $tv == "publishedon" or $tv == "publishedby" or $tv == "menutitle" or $tv == "donthit" or $tv == "privateweb" or $tv == "privatemgr" or $tv == "content_dispo" or $tv == "hidemenu" or $tv == "class_key" or $tv == "context_key" or $tv == "content_type" or $tv == "uri" or $tv == "uri_override" or $tv == "hide_children_in_tree" or $tv == "show_in_tree" or $tv == "properties") {return $parent->get($tv);} else if ($tv == null) {return "Keine Werte gefunden!";} else { if ($parent->getTVValue($tv) != null) {return $parent->getTVValue($tv);} else {return "TV nicht gefunden oder enthält keine Werte!";} }
Please help, i dont understand what’s wrong with get()?
-
-
discuss.answer
-
- 24,544 Posts
Send PM
The getObject() call on line 12 is failing. Usually, this is because the resource is at the root of the tree and has no parent.
You can avoid it by wrapping the rest of the code in
if ($parent) { /* Your code here */ } else { /* Resource is at root of tree -- do something else or do nothing*/ }
-
-
-
- 82 Posts
Send PM
So easy! Thank you Bob. It works now
-
-
-
- 24,544 Posts
Send PM
I’m glad you got it sorted.
-
Moderator: General Support Moderators
-
BTGT
- Joomla! Apprentice
- Posts: 16
- Joined: Wed Jun 27, 2018 10:38 am
0 — Call to a member function get() on null
Hi Guys
I’ve got a small problem I can’t access the backend of my site
I had a notification that a new version was available; so for a change I thought I would run a backup not something I do every time, even though I know that I should, but this time I did. The software stated everything was fine so I carried on with some mailing list administration deleting a mailing list group that I didn’t need any more, only to find it had deleted the whole member list . Me thinking great I’ve just done a backup roll it back with a restore then reapply the update all good, I thought how wrong could I be got the message backup failed from that point when trying to login.
I get this
Error occurred
0 — Call to a member function get() on null
then the return to control panel
it returns back to the control panel login screen enter username and password hit the enter button all starts again
Does anyone have any experience with trying to sort this problem
Someone that could hold my hand while trying to recover from this ?
BTW users are still able to book places at our events
TIA
Pat
-
BTGT
- Joomla! Apprentice
- Posts: 16
- Joined: Wed Jun 27, 2018 10:38 am
Help Please
Post
by BTGT » Fri Jun 29, 2018 3:43 pm
hi Guys
I posted earlier about «Call to a member function get() on null»
while trying to find a solution I contacted my hosting provider to see if they had this happen on any other sites
what they have come back with is the error logs highlighting 2 distinct errors
libraries/vendor/joomla/input/src/Input.php on line 313:
&
modules/mod_eprivacy/mod_eprivacy.php on line 17:
my problem is not knowing what should be there, and the code making no sense to me whatsoever as i’m dyslexic so find code very difficult, I’m more than willing to try if i can be pointed in the right direction
thanks in advance
Pat
Last edited by imanickam on Fri Jun 29, 2018 3:54 pm, edited 1 time in total.
Reason: Merged with the topic https://forum.joomla.org/viewtopic.php?f=708&t=963229. In the future, please do not create multiple topics for the same issue.
-
brianlucas
- Joomla! Apprentice
- Posts: 13
- Joined: Tue Apr 19, 2011 1:40 am
- Location: USA
Re: 0 — Call to a member function get() on null
Post
by brianlucas » Fri Jun 29, 2018 8:28 pm
Pat,
I had this same problem today. I’ve concluded that some process updated some of my Joomla files WITHOUT ME RUNNING ANY UPDATES. Yesterday, a set of files were updated, then today others were updated. In between, I got this error, too. I found it just before the second set of files changed, so it fixed itself while I was looking at it
.
The files updated in Wave 1 were:
administratorcomponentscom_adminmodelsformsprofile.xml
administratorcomponentscom_loginmodelslogin.php
componentscom_userscontrollersuser.php
componentscom_usersmodelslogin.php
componentscom_usersmodelsformsfrontend.xml
librariesloader.php
librariesjoomlaformfieldsplugins.php
librariesvendorjoomlainputsrcInput.php
modulesmod_languagestmpldefault.php
modulesmod_random_imagetmpldefault.php
The files updated in Wave 2 were (I suspect these were also incorrectly updated in Wave 1):
administratorcomponentscom_loginmodelslogin.php
componentscom_userscontrollersuser.php
componentscom_usersmodelslogin.php
componentscom_usersmodelsformsfrontend.xml
librariesloader.php
librariesvendorjoomlainputsrcInput.php
Whatever did it, it ran in ALL of my folders, including backups that were not active sites. I found the resulting changes (missed the intermediate set) and they seem like legitimate changes.
Would someone please:
a) explain how a process is updating files on my site without my knowledge?
b) fess up to the mistake, and publish a notice on the Joomla site about it so others don’t waste a whole day thinking their site has been hacked, with the site shut down to users? :=(
Brian
Brian Lucas
-
BTGT
- Joomla! Apprentice
- Posts: 16
- Joined: Wed Jun 27, 2018 10:38 am
Re: 0 — Call to a member function get() on null
Post
by BTGT » Fri Jun 29, 2018 9:20 pm
Well i’ve managed to download the backup extract the so called faulty files:( up loaded them after renaming the existing files. But still have the same problem when trying to access the administration part of the website the front end seems to be accepting registrations and sending out username reminders
just I cant login to either the front end or the back end
Is there a way to force an update via the browser address bar
or it it possible to roll it back not having access to the administration side of the site
Pat
-
kaety
- Joomla! Apprentice
- Posts: 45
- Joined: Sat Sep 24, 2005 11:02 am
- Location: BrisVegas (Brisbane) Queensland Australia
- Contact:
Re: 0 — Call to a member function get() on null
Post
by kaety » Fri Jun 29, 2018 9:53 pm
This has also happened to me after running the latest 3.8.10 update.
Can someone advise the best course of action to repair?
-
deleted user
Re: 0 — Call to a member function get() on null
Post
by deleted user » Fri Jun 29, 2018 10:14 pm
brianlucas wrote:a) explain how a process is updating files on my site without my knowledge?
In Joomla core there is no such process. You would need to check with your hosting provider or any security platforms you may be using to see if there is something making these kinds of changes.
brianlucas wrote:b) fess up to the mistake, and publish a notice on the Joomla site about it so others don’t waste a whole day thinking their site has been hacked, with the site shut down to users?
There isn’t a mistake to fess up to beyond the Windows platform issue that was immediately addressed with a new release. The issues you are running into, while unfortunate, seem to be very specific to your hosting configuration. It could very well be there is some deep rooted issue to a specific hosting configuration, or it could be the random modifications of files you are noticing. What raises a red flag for me that this is a platform specific issue is this comment:
brianlucas wrote:Whatever did it, it ran in ALL of my folders, including backups that were not active sites.
Generally, there are two ways you would see these types of changes affecting more than the active Joomla instance: a hosting level script or the site has been hacked and a script is modifying any files it finds in the hosting account space.
-
BTGT
- Joomla! Apprentice
- Posts: 16
- Joined: Wed Jun 27, 2018 10:38 am
Re: 0 — Call to a member function get() on null
Post
by BTGT » Fri Jun 29, 2018 10:29 pm
here’s the latest log entry
Mydomain.ltd [Fri Jun 29 23:16:17 2018] [error] [client 81.xxx.136.xxx:42020] AH01215: PHP Notice: Undefined offset: 0 in /home/cluster-sites/3/b/Mydomain.ltd/public_html/libraries/vendor/joomla/input/src/Input.php on line 313: /home/cluster-sites/3/b/Mydomain/public_html/administrator/index.php
I’ve replaced the version with the one from the backup but it’s still throwing the same error
my hosting provider has said that as soon as the scripting errors are sorted everything should come back on line
I know the site not been hacked as only happened when I tried a restore that failed now I cant do anything It’s driving me crazy
-
brianlucas
- Joomla! Apprentice
- Posts: 13
- Joined: Tue Apr 19, 2011 1:40 am
- Location: USA
Re: 0 — Call to a member function get() on null
Post
by brianlucas » Fri Jun 29, 2018 10:45 pm
mbabker wrote:
There isn’t a mistake to fess up to beyond the Windows platform issue that was immediately addressed with a new release. The issues you are running into, while unfortunate, seem to be very specific to your hosting configuration. It could very well be there is some deep rooted issue to a specific hosting configuration, or it could be the random modifications of files you are noticing. What raises a red flag for me that this is a platform specific issue is this comment:
Thanks for this. I can’t see any sign that something outside ran or Joomla itself did something (how would it know about other folders, right?). Naturally, my hosting vendor denies any changes, but I opened a ticket with them to see if I could get their left hand talking to their right hand.
Thanks for the quick response, and apologies for being snippy — it turned into a loooooong day.
Brian
Brian Lucas
-
toivo
- Joomla! Master
- Posts: 15503
- Joined: Thu Feb 15, 2007 5:48 am
- Location: Sydney, Australia
Re: 0 — Call to a member function get() on null
Post
by toivo » Sat Jun 30, 2018 5:37 am
@mbabker, the likely root cause in the case where files were getting updated was running Joomla 3.6.5, now out of support for 14 months.
Ref. viewtopic.php?f=714&t=963252
Toivo Talikka, Global Moderator
-
deleted user
Re: 0 — Call to a member function get() on null
Post
by deleted user » Sat Jun 30, 2018 3:12 pm
Saw that. It’s still a case where a script external to Joomla is taking the action. In this case it’s even worse because it’s using files from newer releases which are probably not compatible with the older releases.
-
deleted user
Re: 0 — Call to a member function get() on null
Post
by deleted user » Sat Jun 30, 2018 10:31 pm
Undefined offset: 0 in /home/cluster-sites/3/b/Mydomain.ltd/public_html/libraries/vendor/joomla/input/src/Input.php on line 313
In the current 3.8.10 release line 313 is a comment line, not executable code. In 3.8.8 it was an executable line of code. What I suspect is causing this specific error is some files have been updated to make use of a method added in 3.8.9, and because the input class chain is what appears to be in the 3.8.8 or earlier state (at least in 3.6.5 it is a reference to the same line of code), it is breaking. This just further points to some external resource touching your site. Yeah, your hosting and logs can say all day long that nothing is doing anything out of the ordinary, but clearly something is making modifications to your site and it’s causing problems. You need to figure out what that is.
-
wojsmol
- Joomla! Explorer
- Posts: 475
- Joined: Fri Jul 24, 2009 8:18 am
Re: 0 — Call to a member function get() on null
Post
by wojsmol » Tue Jul 03, 2018 9:24 am
Hi brianlucas
Witch hosting company are you using? I ask this question because I come across very simulator topic ref viewtopic.php?f=706&t=963321.
-
learningdaily
- Joomla! Fledgling
- Posts: 2
- Joined: Tue Jul 03, 2018 7:24 pm
Re: 0 — Call to a member function get() on null
Post
by learningdaily » Tue Jul 03, 2018 8:11 pm
wojsmol wrote:Hi brianlucas
Witch hosting company are you using? I ask this question because I come across very simulator topic ref viewtopic.php?f=706&t=963321.
If you review the forums there are at least a couple different people reporting this issue, I’m using Microsoft Azure and am now seeing the error occur. Odd thing is, that I run a test machine locally and it doesn’t have the same issue. I’m thinking you maybe onto something with host specific settings.
If anyone has a solid solution I’d appreciate it, otherwise I’ll just destroy the vm on azure and recreate.
-
madpad
- Joomla! Fledgling
- Posts: 1
- Joined: Thu Jun 25, 2009 10:32 am
Re: 0 — Call to a member function get() on null
Post
by madpad » Mon Aug 27, 2018 9:53 am
I was trying the same upgrade to Joomla 3.8.11 and got the same error. I also used mbabker’s postupdate.php script, and it did process, but I still get the following error —
PHP Notice Undefined Index: HTTP_HOST in /var/www/html/libraries/src/Uri/Uri.php on Line 101
It does say Update to Joomla 3.8.11 completed succesfully though. But still unable to login to the admin
Madhu
-
Genr8r
- Joomla! Fledgling
- Posts: 1
- Joined: Wed Sep 26, 2018 10:54 pm
Re: 0 — Call to a member function get() on null
Post
by Genr8r » Wed Sep 26, 2018 10:59 pm
I am not sure if this muddies the water or provides clarity. I hit this error on our site running at Siteground. Their recent addition of cache server-wide conflicted with this extension…
https://www.litespeedtech.com/support/w … :lscjoomla
So if you are on siteground and had been trying to setup litespeed cache via the above plugin, go to your filemanger and rename the plugin…
plugins/system/lscache
…or somewhere there about. I had already uninstalled the plugin prior to posting. I hope that is helpful.
Return to “Administration Joomla! 3.x”
Jump to
- Joomla! Announcements
- ↳ Announcements
- ↳ Announcements Discussions
- Joomla! 4.x — Ask Support Questions Here
- ↳ General Questions/New to Joomla! 4.x
- ↳ Installation Joomla! 4.x
- ↳ Administration Joomla! 4.x
- ↳ Migrating and Upgrading to Joomla! 4.x
- ↳ Extensions for Joomla! 4.x
- ↳ Security in Joomla! 4.x
- ↳ Templates for Joomla! 4.x
- ↳ Search Engine Optimization (Joomla! SEO) in Joomla! 4.x
- ↳ Language — Joomla! 4.x
- ↳ Performance — Joomla! 4.x
- ↳ Joomla! 4.x Coding
- Joomla! 3.x — Ask Support Questions Here
- ↳ General Questions/New to Joomla! 3.x
- ↳ Installation Joomla! 3.x
- ↳ Joomla! 3.x on IIS webserver
- ↳ Administration Joomla! 3.x
- ↳ Access Control List (ACL) in Joomla! 3.x
- ↳ Migrating and Upgrading to Joomla! 3.x
- ↳ Security in Joomla! 3.x
- ↳ Extensions for Joomla! 3.x
- ↳ Templates for Joomla! 3.x
- ↳ Search Engine Optimization (Joomla! SEO) in Joomla! 3.x
- ↳ Language — Joomla! 3.x
- ↳ Performance — Joomla! 3.x
- ↳ Joomla! 3.x Coding
- Joomla! Versions which are End of Life
- ↳ Joomla! 2.5 — End of Life 31 Dec 2014
- ↳ General Questions/New to Joomla! 2.5
- ↳ Installation Joomla! 2.5
- ↳ Joomla! 2.5 on IIS webserver
- ↳ Administration Joomla! 2.5
- ↳ Access Control List (ACL) in Joomla! 2.5
- ↳ Migrating and Upgrading to Joomla! 2.5
- ↳ Security in Joomla! 2.5
- ↳ Extensions for Joomla! 2.5
- ↳ Templates for Joomla! 2.5
- ↳ Search Engine Optimization (Joomla! SEO) in Joomla! 2.5
- ↳ Language — Joomla! 2.5
- ↳ Performance — Joomla! 2.5
- ↳ Joomla! 1.5 — End of Life Sep 2012
- ↳ General Questions/New to Joomla! 1.5
- ↳ Installation 1.5
- ↳ Joomla! 1.5 on IIS webserver
- ↳ Administration 1.5
- ↳ Migrating and Upgrading to Joomla! 1.5
- ↳ Security in Joomla! 1.5
- ↳ Extensions for Joomla! 1.5
- ↳ Templates for Joomla! 1.5
- ↳ Search Engine Optimization (Joomla! SEO) in Joomla! 1.5
- ↳ Language — Joomla! 1.5
- ↳ Performance — Joomla! 1.5
- ↳ Joomla! 1.0 — End of Life 22 July 2009
- ↳ Installation — 1.0.x
- ↳ Upgrading — 1.0.x
- ↳ Security — 1.0.x
- ↳ 3rd Party/Non Joomla! Security Issues
- ↳ Administration — 1.0.x
- ↳ Extensions — 1.0.x
- ↳ Components
- ↳ Modules
- ↳ Plugins/Mambots
- ↳ WYSIWYG Editors — 1.0.x
- ↳ Integration & Bridges — 1.0.x
- ↳ phpbb — Joomla! Integration
- ↳ Templates & CSS — 1.0.x
- ↳ Language — 1.0.x
- ↳ Joom!Fish and Multilingual Sites
- ↳ Performance — 1.0.x
- ↳ General Questions — 1.0.x
- Joomla! International Language Support
- ↳ International Zone
- ↳ Arabic Forum
- ↳ تنبيهات هامة
- ↳ الدروس
- ↳ 4.x جوملا!
- ↳ جوملا! 1.6/1.7
- ↳ الأسئلة الشائعة
- ↳ التثبيت و الترقية
- ↳ الحماية — و تحسين السرعة والأداء
- ↳ لوحة التحكم
- ↳ الإضافات البرمجية
- ↳ تعريب جوملا! و الإضافات البرمجية
- ↳ القوالب و التصميم
- ↳ صداقة محركات البحث
- ↳ القسم العام
- ↳ 1.5 !جوملا
- ↳ الأسئلة الشائعة
- ↳ التثبيت و الترقية
- ↳ الحماية — و تحسين السرعة والأداء
- ↳ لوحة التحكم
- ↳ الإضافات البرمجية
- ↳ تعريب جوملا! و الإضافات البرمجية
- ↳ القوالب و التصميم
- ↳ صداقة محركات البحث
- ↳ القسم العام
- ↳ جوملا! 1.0
- ↳ الأسئلة الشائـعة
- ↳ التثبيت
- ↳ لوحة التحكم
- ↳ الإضافات البرمجية
- ↳ الإضافات المعرّبة
- ↳ القوالب و التصميم
- ↳ الحماية — تحسين السرعة والأداء — صداقة محركات البحث
- ↳ القسم العام
- ↳ القسم العام
- ↳ !عرض موقعك بجوملا
- ↳ الأرشيف
- ↳ Bengali Forum
- ↳ Bosnian Forum
- ↳ Joomla! 1.5
- ↳ Instalacija i prvi koraci
- ↳ Ekstenzije
- ↳ Templejti
- ↳ Moduli
- ↳ Prevodi i dokumentacija
- ↳ Joomla! 1.7 / Joomla! 1.6
- ↳ Catalan Forum
- ↳ Notícies
- ↳ Temes sobre l’administració
- ↳ Temes sobre la traducció
- ↳ Components, mòduls i joombots
- ↳ Temes de disseny
- ↳ Webs realitzades amb Joomla!
- ↳ Offtopics
- ↳ Chinese Forum
- ↳ Croatian Forum
- ↳ Danish Forum
- ↳ Meddelelser
- ↳ Joomla! 4.x
- ↳ Joomla! 3.x (Anbefalet til nye installationer. Nyeste funktionalitet)
- ↳ Installation, backup, opdatering og flytning — Godt igang
- ↳ Administration — Generel brug
- ↳ Komponenter, Moduler og Plugins
- ↳ Template, CSS og Design
- ↳ Nethandel, betaling m.m.
- ↳ Ældre versioner (disse vedligeholdes ikke længere fra officiel side)
- ↳ Joomla! 2.5 (Supporteres indtil 31. dec. 2014)
- ↳ Installation, backup, opdatering og flytning — Godt igang
- ↳ Administration — Generel brug
- ↳ Komponenter, Moduler og Plugins
- ↳ Template, CSS og Design
- ↳ Nethandel, betaling m.m.
- ↳ Joomla 1.5 (Tidligere langtidssupporteret version indtil sep. 2012)
- ↳ Installation, backup, opdatering og flytning — Godt igang
- ↳ Administration — Generel brug
- ↳ Komponenter, Moduler og Plugins
- ↳ Template, CSS og Design
- ↳ Nethandel, betaling m.m.
- ↳ Joomla 1.0 (Udgået version, der blev afløst af 1.5 i 2008)
- ↳ Installation, backup, opdatering og flytning — Godt igang
- ↳ Administration — Generel brug
- ↳ Komponenter, Moduler og Mambots
- ↳ Template, CSS og Design
- ↳ Nethandel, betaling m.m.
- ↳ Oversættelser (lokalisering)
- ↳ Joomla brugergrupper i Danmark
- ↳ JUG Kolding
- ↳ JUG København
- ↳ JUG Odense
- ↳ JUG Århus
- ↳ JUG Sorø
- ↳ Kommerciel (betalt) hjælp ønskes
- ↳ SEO
- ↳ FAQ — Dokumentation og vejledninger
- ↳ Vis dit websted
- ↳ Afviste ‘Vis dit websted’ indlæg
- ↳ Diverse (Off topic)
- ↳ Dutch Forum
- ↳ Aankondigingen
- ↳ Algemene vragen
- ↳ Joomla! 4.x
- ↳ Joomla! 3.x
- ↳ Installatie 3.x
- ↳ Extensies 3.x
- ↳ Templates 3.x
- ↳ Joomla! 2.5
- ↳ Installatie 2.5
- ↳ Componenten 2.5
- ↳ Modules 2.5
- ↳ Plugins 2.5
- ↳ Templates 2.5
- ↳ Joomla! 1.5
- ↳ Installatie
- ↳ Componenten
- ↳ Modules
- ↳ Plugins
- ↳ Templates
- ↳ Joomla! 1.0
- ↳ Installatie 1.0.x
- ↳ Componenten 1.0.x
- ↳ Modules 1.0.x
- ↳ Mambots 1.0.x
- ↳ Templates 1.0.x
- ↳ Vertalingen
- ↳ Offtopic
- ↳ Show jouw website
- ↳ Filipino Forum
- ↳ International Support Center
- ↳ Pinoy General Discussion & Archives
- ↳ Site Showcase
- ↳ Events
- ↳ Design Tips and Tricks
- ↳ Tsismis Zone
- ↳ Pinoy Translation Zone
- ↳ Pinoy Forum Archives
- ↳ Joomla! Philippines Local Forum www.joomla.org.ph
- ↳ Finnish Forum
- ↳ French Forum
- ↳ Les annonces!
- ↳ Le bistrot!
- ↳ L’expo!
- ↳ J! 4.x — L’atelier!
- ↳ J! 3.x — L’atelier!
- ↳ 3.x — Questions générales, nouvel utilisateur
- ↳ 3.x — Installation, migration et mise à jour
- ↳ 3.x — Sécurité et performances
- ↳ 3.x — Extensions tierce partie
- ↳ 3.x — Templates et design
- ↳ 3.x — Développement
- ↳ 3.x — Ressources
- ↳ J! 2.5.x — L’atelier!
- ↳ 2.5 — Questions générales
- ↳ 2.5 — Installation, migration et mise à jour
- ↳ 2.5 — Sécurité et performances
- ↳ 2.5 — Extensions tierce partie
- ↳ 2.5 — Templates et design
- ↳ 2.5 — Développement
- ↳ 2.5 — Ressources
- ↳ J! 1.5.x — L’atelier!
- ↳ 1.5 — Questions générales
- ↳ 1.5 — Installation, migration et mise à jour
- ↳ 1.5 — Sécurité et performances
- ↳ 1.5 — Extensions tierce partie
- ↳ 1.5 — Templates et design
- ↳ 1.5 — Développement
- ↳ 1.5 — Ressources
- ↳ J! 1.0.x — L’atelier!
- ↳ 1.0 — Questions générales
- ↳ 1.0 — Installation et mise à jour
- ↳ 1.0 — Sécurité
- ↳ 1.0 — Extensions tierce partie
- ↳ 1.0 — Templates et design
- ↳ 1.0 — Développement
- ↳ 1.0 — Ressources
- ↳ Besoin d’un professionel ?
- ↳ Extensions Open Source pour Joomla!
- ↳ German Forum
- ↳ Ankündigungen
- ↳ Joomla! 4.x
- ↳ Joomla! 3.x
- ↳ Allgemeine Fragen
- ↳ Installation und erste Schritte
- ↳ Komponenten, Module, Plugins
- ↳ Template, CSS und Designfragen
- ↳ Entwicklerforum
- ↳ Zeige Deine Webseite
- ↳ Joomla! 2.5
- ↳ Allgemeine Fragen
- ↳ Installation und erste Schritte
- ↳ Komponenten, Module, Plugins
- ↳ Template, CSS und Designfragen
- ↳ Entwicklerforum
- ↳ Zeige Deine Webseite
- ↳ Joomla! 1.5
- ↳ Allgemeine Fragen
- ↳ Installation und erste Schritte
- ↳ Komponenten, Module, Plugins
- ↳ Template, CSS und Designfragen
- ↳ Entwicklerforum
- ↳ Zeige Deine Webseite
- ↳ Professioneller Service
- ↳ Sonstiges (Offtopic)
- ↳ Archiv
- ↳ Joomla! 1.0
- ↳ Allgemeine Fragen 1.0.x
- ↳ Installation und erste Schritte 1.0.x
- ↳ Komponenten, Module, Mambots 1.0.x
- ↳ Template, CSS und Designfragen 1.0.x
- ↳ Entwicklerforum 1.0.x
- ↳ Zeige Deine Webseite 1.0.x
- ↳ Greek Forum
- ↳ Joomla! 4.x
- ↳ Joomla! 3.x
- ↳ Joomla! 2.5.x
- ↳ Joomla! 1.5.x
- ↳ Joomla! 1.0.x
- ↳ Hebrew Forum
- ↳ Indic Languages Forum
- ↳ Indonesian Forum
- ↳ FAQ
- ↳ Bantuan
- ↳ Komponen
- ↳ Modul
- ↳ Template
- ↳ Diskusi
- ↳ Italian Forum
- ↳ Guide
- ↳ Traduzioni
- ↳ Componenti — Moduli — Plugins
- ↳ Template — Grafica
- ↳ Notizie
- ↳ Prodotti Open Source per Joomla!
- ↳ Richieste professionali
- ↳ Joomla! 4.x
- ↳ Joomla! 3.x
- ↳ Joomla! 2.5.x
- ↳ Joomla! 1.x
- ↳ Latvian Forum
- ↳ Lithuanian Forum
- ↳ Joomla! 4.x
- ↳ Joomla! 1.5
- ↳ Joomla! 1.7 / Joomla! 1.6
- ↳ Joomla! 1.0
- ↳ Vertimai ir Kalba
- ↳ Malaysian Forum
- ↳ Solved
- ↳ Norwegian Forum
- ↳ Informasjon
- ↳ Arkiverte annonseringer
- ↳ FAQ — Ofte spurte spørsmål
- ↳ Arkiv
- ↳ Joomla! 4.x
- ↳ Joomla! 3.x
- ↳ Administrasjon/installasjon
- ↳ Migrering/Oppdatering
- ↳ Template, CSS og design
- ↳ Komponenter/moduler/programutvidelser
- ↳ Sikkerhet
- ↳ Generelt
- ↳ Netthandel, betaling m.m.
- ↳ VirtueMart
- ↳ Andre nettbutikkløsninger
- ↳ Generelt
- ↳ Oversettelser
- ↳ Fremvisning av sider (Show off)
- ↳ Avviste fremvisninger
- ↳ Diverse (off topic)
- ↳ Kommersiell hjelp ønskes
- ↳ Eldre versjoner av Joomla!
- ↳ Joomla! 1.0
- ↳ Administrasjon/installasjon
- ↳ Template, CSS og design
- ↳ Komponenter/moduler/mambots
- ↳ Sikkerhet
- ↳ Generelt
- ↳ Joomla! 1.5
- ↳ Administrasjon/installasjon
- ↳ Migrering/Oppdatering
- ↳ Template, CSS og design
- ↳ Komponenter/moduler/programutvidelser
- ↳ Sikkerhet
- ↳ Generelt
- ↳ Joomla! 2.5
- ↳ Administrasjon/installasjon
- ↳ Migrering/Oppdatering
- ↳ Template, CSS og design
- ↳ Komponenter/moduler/programutvidelser
- ↳ Sikkerhet
- ↳ Generelt
- ↳ Persian Forum
- ↳ قالب ها
- ↳ مدیریت
- ↳ سوالهای عمومی
- ↳ نصب
- ↳ مامبوت ها
- ↳ ماژولها
- ↳ کامپوننت ها
- ↳ Polish Forum
- ↳ Instalacja i aktualizacja
- ↳ Administracja
- ↳ Komponenty, moduły, wtyczki
- ↳ Szablony
- ↳ Paczta i Podziwiajta
- ↳ Modyfikacje i własne rozwiązania
- ↳ Tłumaczenia
- ↳ FAQ
- ↳ Tips&Tricks
- ↳ Dokumentacja
- ↳ Profesjonalne usługi
- ↳ Portuguese Forum
- ↳ Componentes, módulos e mambots
- ↳ Programação e desenvolvimento
- ↳ Segurança
- ↳ Sites dos usuários
- ↳ Off-topic
- ↳ Tradução
- ↳ Templates
- ↳ Romanian Forum
- ↳ Traduceri
- ↳ Russian Forum
- ↳ Объявления по Joomla!
- ↳ Безопасность Joomla!
- ↳ Joomla 4.x — Задайте здесь свой вопрос по поддержке
- ↳ Joomla 3.x — Задайте здесь свой вопрос по поддержке
- ↳ Общие вопросы/Новичок в Joomla! 3.x
- ↳ Установка Joomla! 3.x
- ↳ Миграция и переход на Joomla! 3.x
- ↳ Расширения для Joomla! 3.x
- ↳ Многоязычные веб-сайты на Joomla 3.x
- ↳ Joomla 2.5 — Задайте здесь свой вопрос по поддержке
- ↳ Общие вопросы/Новичок в Joomla! 2.5
- ↳ Установка Joomla! 2.5
- ↳ Расширения для Joomla! 2.5
- ↳ Русский язык Joomla! 2.5
- ↳ Serbian/Montenegrin Forum
- ↳ Tehnička pitanja
- ↳ Instalacija i početnička pitanja
- ↳ Šabloni
- ↳ Prevod i dokumentacija
- ↳ Ćaskanje
- ↳ Bezbednost
- ↳ Joomla! dodaci
- ↳ Pravna pitanja
- ↳ Arhiva
- ↳ Joomla! Događaji i Zajednica
- ↳ Izlog (spisak) sajtova radjenih u Joomla! CMS-u
- ↳ Profesionalne usluge
- ↳ Slovak Forum
- ↳ Spanish Forum
- ↳ Joomla! 4.x
- ↳ Joomla! 3.x
- ↳ Migración y actualización a Joomla 3.x
- ↳ Versiones de Joomla! obsoletas
- ↳ Joomla! 2.5
- ↳ Joomla! 1.5
- ↳ Extensiones
- ↳ Plantillas (templates) y diseño
- ↳ Idioma y traducciones
- ↳ SEO para Joomla!
- ↳ Seguridad y rendimiento
- ↳ Productos de Código Abierto para Joomla!
- ↳ Servicios profesionales
- ↳ Salón de la comunidad Ñ
- ↳ Swedish Forum
- ↳ Meddelanden
- ↳ Forum Joomla! 4.x
- ↳ Forum Joomla! 3.x
- ↳ Allmänna frågor
- ↳ Användning och administration
- ↳ Installation, backup och säkerhet
- ↳ Komponenter, moduler och plugin
- ↳ Mallar (templates) och design
- ↳ Äldre versioner
- ↳ Forum Joomla! 1.0
- ↳ Allmänna frågor
- ↳ Användning och administration
- ↳ Installation, backup och säkerhet
- ↳ Komponenter, moduler och Mambots
- ↳ Mallar (templates) och design
- ↳ Forum Joomla! 1.7 / Joomla! 1.6
- ↳ Allmänna frågor
- ↳ Användning och administration
- ↳ Installation, backup och säkerhet
- ↳ Komponenter, moduler och plugin
- ↳ Mallar (templates) och design
- ↳ Forum Joomla! 1.5
- ↳ Allmänna frågor
- ↳ Användning och administration
- ↳ Installation, backup och säkerhet
- ↳ Komponenter, moduler och plugin
- ↳ Mallar (templates) och design
- ↳ Forum Joomla! 2.5
- ↳ Allmänna frågor
- ↳ Användning och administration
- ↳ Installation, backup och säkerhet
- ↳ Komponenter, moduler och plugin
- ↳ Mallar (templates) och design
- ↳ Översättning
- ↳ Webbplatser gjorda i Joomla
- ↳ Webbplatser J! 3.x
- ↳ Webbplatser J! 2.5
- ↳ Webbplatser Joomla! 1.7 / Joomla! 1.6
- ↳ Webbplatser J! 1.5
- ↳ Webbplatser J! 1.0
- ↳ Kommersiell hjälp önskas
- ↳ Diverse (off topic)
- ↳ Tamil Forum
- ↳ Thai Forum
- ↳ โชว์เว็บไซต์ของคุณที่สร้างด้วยจูมล่า
- ↳ เคล็ดลับการใช้งานส่วนต่างๆ เกี่ยวกับจ&#
- ↳ คอมโพเน้นท์ โมดูล ปลักอิน ต่างๆ ที่ติดตั
- ↳ อับเดดข่าวสารเกี่ยวกับจูมล่าลายไทย
- ↳ Turkish Forum
- ↳ Duyurular
- ↳ Dersler
- ↳ Genel Sorular
- ↳ Bileşen, Modül, Bot
- ↳ Eklenti Haberleri
- ↳ Temalar
- ↳ Vietnamese Forum
- ↳ Gặp gỡ và giao lưu
- ↳ Joomla Tiếng Việt
- ↳ Cài đặt — Cấu hình
- ↳ Thành phần mở rộng cho Joomla!
- ↳ Hỏi đáp Joomla! 3.x
- ↳ Hỏi đáp Joomla! 2.5
- ↳ Hỗ trợ kỹ thuật
- ↳ Bài viết cũ
- ↳ Thiết kế Template
- ↳ Joomla! 1.5
- ↳ Hỏi đáp Joomla! 4.x
- ↳ Welsh Forum
- Other Forums
- ↳ Open Source Products for Joomla!
- ↳ The Lounge
- ↳ Forum Post Assistant (FPA)
- Joomla! Development Forums
- Joomla! Official Sites & Infrastructure
- ↳ docs.joomla.org — Feedback/Information
- ↳ extensions.joomla.org — Feedback/Information
- ↳ joomla.com — Feedback/Information
- ↳ Sites & Infrastructure — Feedback/Information
- ↳ Archived Boards — All boards closed
- ↳ Design and Accessibility — Archived
- ↳ Quality and Testing — Locked and Archived
- ↳ Joomla! 1.0.x_Q&T
- ↳ Q&T 1.0.x Resolved
- ↳ Known Issues
- ↳ Superseded Issues
- ↳ Archive
- ↳ Q&T 1.0.x Resolved — Archived
- ↳ Known Issues — Archive
- ↳ Superseded Issues — Archive
- ↳ Joomla! 3.x Bug Reporting
- ↳ Third Party Testing for Joomla! 1.5
- ↳ Q&T 1.5.x Resolved
- ↳ Joomla! 1.5 BETA
- ↳ Joomla! 1.5 BETA 2
- ↳ Reaction to the ‘Letter to the community’
- ↳ Reaction to New Project Name
- ↳ Logo Competition
- ↳ Humor, Fun and Games
- ↳ Libraries
- ↳ patTemplate
- ↳ com_connector — Multi Joomla Bridge
- ↳ CiviCRM Support
- ↳ CiviCRM Installation Issues
- ↳ FAQ Archive
- ↳ FAQ Discussion Board
- ↳ 3rd Party Extensions FAQ
- ↳ FAQs not moved
- ↳ 3rd Party/Non Joomla! Security FAQ
- ↳ Joomla! Coding 101
- ↳ Joombie Tools of the Trade
- ↳ Joombie Coding Q/A
- ↳ Joombie Think Tank
- ↳ Joombie Developer Lab
- ↳ Joomla Forge — Archived
- ↳ Non-Profit Organizations and Joomla!
- ↳ Schools and Universities
- ↳ Bangsamoro Forum
- ↳ Joomla! 1.5 Template Contest
- ↳ SMF — Simplemachines.org Forum
- ↳ GPL Discussion
- ↳ Security Announcements — Old
- ↳ Tips & Tricks — Moving
- ↳ Submit Your Suggested Tips & Tricks to Docs.joomla.org now please.
- ↳ Google Summer of Code and GHOP
- ↳ Google Summer of Code 2008
- ↳ Proposed projects
- ↳ Student area
- ↳ Past Google Summer of Code Editions
- ↳ Google’s Highly Open Participation Contest
- ↳ Documentation
- ↳ Suggestions, Modifications, and Corrections
- ↳ Archive
- ↳ 1.5 Archive
- ↳ Suggestions, Modifications & Corrections
- ↳ Submit
- ↳ Feedback and Suggestions
- ↳ Applications for participation in the Development Workgroup
- ↳ Development
- ↳ 1.5 Site Showcase — Archived
- ↳ 1.0 x Site Showcase — Archived.
- ↳ Feature Requests — White Papers — Archived
- ↳ Under Review — Archived
- ↳ Accepted — Archived
- ↳ Not Accepted — Archived
- ↳ Wishlists and Feature Requests — Archive
- ↳ Wishlist Archives — Archived
- ↳ Spanish Forum — Archive
- ↳ Papelera
- ↳ Tutoriales
- ↳ General
- ↳ Salón de la Joomlaesfera hispanohablante
- ↳ Danish Forum — Archive
- ↳ Diskussion af Meddelelser + Sikkerhedsmeddelelser + FAQ
- ↳ Shop.Joomla.org
- ↳ Joomla! 1.6 RC Support [closed]
- ↳ Joomla! 1.0 Coding
- ↳ Core Hacks and Patches
- ↳ Joomla! 2.5 Beta Support
- ↳ People.joomla.org — Feedback/Information
- ↳ Joomla! 1.5 Bug Reporting
- ↳ Joomla! 1.5 Coding
- ↳ Joomla! 3 Beta Support
- ↳ Trending Topics
- ↳ Help wanted in the community
- ↳ templates.joomla.org — Feedback/Information
- ↳ Certification
- ↳ Albanian Forum
- ↳ Azeri Forum
- ↳ Urdu Forum
- ↳ Basque Forum
- ↳ Itzulpenaren inguruan
- ↳ Laguntza teknikoa
- ↳ Belarusian Forum
- ↳ Maltese Forum
- ↳ Hungarian Forum
- ↳ Slovenian Forum
- ↳ Japanese Forum
- ↳ Khmer Forum
- ↳ ពិពណ៌ស្ថានបណ្ដាញជុំឡា
- ↳ ជុំឡាខ្មែរមូលដ្ឋានីយកម្ម
- ↳ Community Blog Discussions
- ↳ JoomlaCode.org
- ↳ Joomla! Marketing and PR Team
- ↳ resources.joomla.org — Feedback/Information
- ↳ Training.Joomla.org
- ↳ OpenSourceMatters.org
- ↳ magazine.joomla.org — Feedback/Information
- ↳ Site Showcase
- ↳ Joomla! 4 Related
- ↳ Joomla! Events
- ↳ Joomla! Ideas Forum
- ↳ Registered Joomla! User Groups
- ↳ Joomla! 2.5 Coding
- ↳ Joomla! 2.5 Bug Reporting
- ↳ User eXperience (UX)
- ↳ Joomla! Working Groups
- ↳ Translations
0 Пользователей и 1 Гость просматривают эту тему.
- 8 Ответов
- 3255 Просмотров
Здравствуйте! Подскажите пожалуйста, что означает как убрать ошибку
PHP Fatal error: Call to a member function get() on null in …/components/com_users/models/login.php on line 62, referer: …/login-form.html
Версия Joomla!, 3.8.8.
Логирование на сайте закрыто.
в 99% случаев это означает что вы обновляли Joomla, и сделали это неправильно
Записан
Тут дарят бакс просто за регистрацию! Успей получить!
Все советы на форуме раздаю бесплатно, то есть даром. Индивидуально бесплатно консультирую только по вопросам стоимости индивидуальных консультаций
а есть за что?
Записан
Тут дарят бакс просто за регистрацию! Успей получить!
Все советы на форуме раздаю бесплатно, то есть даром. Индивидуально бесплатно консультирую только по вопросам стоимости индивидуальных консультаций
а есть за что?
Конечно! По крайней мере успокоили. Послежу. К тому же ошибка со страницы логирования, на которую нет выхода с сайта, стало быть несанкционированная попытка залогиниться — возможно, функция get поэтому и выдает null?
хм, не знаю, может и поэтому, надо проверить будет. так это у вас просто в логах ошибка? я думал вы на сайте это видите.
Записан
Тут дарят бакс просто за регистрацию! Успей получить!
Все советы на форуме раздаю бесплатно, то есть даром. Индивидуально бесплатно консультирую только по вопросам стоимости индивидуальных консультаций
Да, просто в логах. И не каждый день.
понятно. тогда действительно, к обновлению это видимо не имеет отношения. просто боты вероятно обращаются по какой то прямой ссылке, а при запрещенной регистрации это вызывает такой fatal. а скажите URL из лога, куда обращаются при этом? post или get запрос?
Записан
Тут дарят бакс просто за регистрацию! Успей получить!
Все советы на форуме раздаю бесплатно, то есть даром. Индивидуально бесплатно консультирую только по вопросам стоимости индивидуальных консультаций
Hello,
when i try to rearrange fields in view that has rss Feedenabled i get:
Error: Call to a member function get() on null w Drupalviews_uiFormAjaxRearrange->submitForm() (linia 156 w /var/www/html/drupal8/core/modules/views_ui/src/Form/Ajax/Rearrange.php) #0 [internal function]: Drupalviews_uiFormAjaxRearrange->submitForm(Array, Object(DrupalCoreFormFormState)) #1 /var/www/html/drupal8/core/modules/views_ui/src/ViewUI.php(258): call_user_func_array(Array, Array) #2 [internal function]: Drupalviews_uiViewUI->standardSubmit(Array, Object(DrupalCoreFormFormState)) #3 /var/www/html/drupal8/core/lib/Drupal/Core/Form/FormSubmitter.php(111): call_user_func_array(Array, Array) #4 /var/www/html/drupal8/core/lib/Drupal/Core/Form/FormSubmitter.php(51): DrupalCoreFormFormSubmitter->executeSubmitHandlers(Array, Object(DrupalCoreFormFormState)) #5 /var/www/html/drupal8/core/lib/Drupal/Core/Form/FormBuilder.php(590): DrupalCoreFormFormSubmitter->doSubmitForm(Array, Object(DrupalCoreFormFormState)) #6 /var/www/html/drupal8/core/lib/Drupal/Core/Form/FormBuilder.php(319): DrupalCoreFormFormBuilder->processForm(‘views_ui_rearra…’, Array, Object(DrupalCoreFormFormState)) #7 /var/www/html/drupal8/core/modules/views_ui/src/Form/Ajax/ViewsFormBase.php(214): DrupalCoreFormFormBuilder->buildForm(‘views_ui_rearra…’, Object(DrupalCoreFormFormState)) #8 /var/www/html/drupal8/core/lib/Drupal/Core/Render/Renderer.php(582): Drupalviews_uiFormAjaxViewsFormBase->Drupalviews_uiFormAjax{closure}() #9 /var/www/html/drupal8/core/modules/views_ui/src/Form/Ajax/ViewsFormBase.php(216): DrupalCoreRenderRenderer->executeInRenderContext(Object(DrupalCoreRenderRenderContext), Object(Closure)) #10 /var/www/html/drupal8/core/modules/views_ui/src/Form/Ajax/ViewsFormBase.php(125): Drupalviews_uiFormAjaxViewsFormBase->ajaxFormWrapper(‘Drupal\views_ui…’, Object(DrupalCoreFormFormState)) #11 /var/www/html/drupal8/core/modules/views_ui/src/Form/Ajax/Rearrange.php(37): Drupalviews_uiFormAjaxViewsFormBase->getForm(Object(Drupalviews_uiViewUI), ‘page_1’, ‘ajax’) #12 [internal function]: Drupalviews_uiFormAjaxRearrange->getForm(Object(Drupalviews_uiViewUI), ‘page_1’, ‘ajax’, ‘field’) #13 /var/www/html/drupal8/core/lib/Drupal/Core/EventSubscriber/EarlyRenderingControllerWrapperSubscriber.php(123): call_user_func_array(Array, Array) #14 /var/www/html/drupal8/core/lib/Drupal/Core/Render/Renderer.php(582): DrupalCoreEventSubscriberEarlyRenderingControllerWrapperSubscriber->DrupalCoreEventSubscriber{closure}() #15 /var/www/html/drupal8/core/lib/Drupal/Core/EventSubscriber/EarlyRenderingControllerWrapperSubscriber.php(124): DrupalCoreRenderRenderer->executeInRenderContext(Object(DrupalCoreRenderRenderContext), Object(Closure)) #16 /var/www/html/drupal8/core/lib/Drupal/Core/EventSubscriber/EarlyRenderingControllerWrapperSubscriber.php(97): DrupalCoreEventSubscriberEarlyRenderingControllerWrapperSubscriber->wrapControllerExecutionInRenderContext(Array, Array) #17 /var/www/html/drupal8/vendor/symfony/http-kernel/HttpKernel.php(151): DrupalCoreEventSubscriberEarlyRenderingControllerWrapperSubscriber->DrupalCoreEventSubscriber{closure}() #18 /var/www/html/drupal8/vendor/symfony/http-kernel/HttpKernel.php(68): SymfonyComponentHttpKernelHttpKernel->handleRaw(Object(SymfonyComponentHttpFoundationRequest), 1) #19 /var/www/html/drupal8/core/lib/Drupal/Core/StackMiddleware/Session.php(57): SymfonyComponentHttpKernelHttpKernel->handle(Object(SymfonyComponentHttpFoundationRequest), 1, true) #20 /var/www/html/drupal8/core/lib/Drupal/Core/StackMiddleware/KernelPreHandle.php(47): DrupalCoreStackMiddlewareSession->handle(Object(SymfonyComponentHttpFoundationRequest), 1, true) #21 /var/www/html/drupal8/core/modules/page_cache/src/StackMiddleware/PageCache.php(106): DrupalCoreStackMiddlewareKernelPreHandle->handle(Object(SymfonyComponentHttpFoundationRequest), 1, true) #22 /var/www/html/drupal8/core/modules/page_cache/src/StackMiddleware/PageCache.php(85): Drupalpage_cacheStackMiddlewarePageCache->pass(Object(SymfonyComponentHttpFoundationRequest), 1, true) #23 /var/www/html/drupal8/core/lib/Drupal/Core/StackMiddleware/ReverseProxyMiddleware.php(47): Drupalpage_cacheStackMiddlewarePageCache->handle(Object(SymfonyComponentHttpFoundationRequest), 1, true) #24 /var/www/html/drupal8/core/lib/Drupal/Core/StackMiddleware/NegotiationMiddleware.php(52): DrupalCoreStackMiddlewareReverseProxyMiddleware->handle(Object(SymfonyComponentHttpFoundationRequest), 1, true) #25 /var/www/html/drupal8/vendor/stack/builder/src/Stack/StackedHttpKernel.php(23): DrupalCoreStackMiddlewareNegotiationMiddleware->handle(Object(SymfonyComponentHttpFoundationRequest), 1, true) #26 /var/www/html/drupal8/core/lib/Drupal/Core/DrupalKernel.php(693): StackStackedHttpKernel->handle(Object(SymfonyComponentHttpFoundationRequest), 1, true) #27 /var/www/html/drupal8/index.php(19): DrupalCoreDrupalKernel->handle(Object(SymfonyComponentHttpFoundationRequest)) #28 {main}.
This error doesn’t appear if i disable or delete Feed.