Jak programowo dodać klienta w Magento 2?

13

Muszę utworzyć klienta programowo w Magento 2, nie znalazłem dużo dokumentacji wokół ... w zasadzie to, co muszę zrobić, to przetłumaczyć następujący kod na „Magento 2”:

$websiteId = Mage::app()->getWebsite()->getId();
$store = Mage::app()->getStore();

$customer = Mage::getModel("customer/customer");
$customer   ->setWebsiteId($websiteId)
            ->setStore($store)
            ->setFirstname('John')
            ->setLastname('Doe')
            ->setEmail('[email protected]')
            ->setPassword('somepassword');

try{
    $customer->save();
}
Eduardo
źródło
chcesz to zrobić w samodzielnym skrypcie, czy masz model lub coś takiego?
Marius
@Marius, pracowałem nad tym modułem i utworzyłem kontroler. W tym kontrolerze muszę przygotować pewne dane do zapisania, a pomysł polega na wywołaniu modelu klienta i zapisaniu tych informacji. Powyższy kod można umieścić w kontrolerze. Chciałbym zrobić to samo, ale dla Magento 2. Nadal jestem trochę zdezorientowany nową strukturą Magento 2 i utknąłem tutaj. Wiem, że ma to coś wspólnego z zastrzykami klasowymi i instancje obiektów, ale nie jestem pewien, jak to zrobić ...
Eduardo,

Odpowiedzi:

21

Ok, po chwili znalazłem rozwiązanie na wypadek, gdyby ktoś go potrzebował. Magento stosuje inne podejście do tworzenia instancji obiektów, tradycyjnym sposobem tworzenia instancji obiektów w Magento 1.x było użycie „Mag :: getModel (..)”, to zmieniły się w Magento 2. Teraz Magento używa menedżera obiektów do tworzenia instancji obiektów, nie będę szczegółowo opisywał, jak to działa .. więc równoważny kod do tworzenia klientów w Magento 2 wyglądałby tak:

<?php

namespace ModuleNamespace\Module_Name\Controller\Index;

class Index extends \Magento\Framework\App\Action\Action
{
    /**
     * @var \Magento\Store\Model\StoreManagerInterface
     */
    protected $storeManager;

    /**
     * @var \Magento\Customer\Model\CustomerFactory
     */
    protected $customerFactory;

    /**
     * @param \Magento\Framework\App\Action\Context      $context
     * @param \Magento\Store\Model\StoreManagerInterface $storeManager
     * @param \Magento\Customer\Model\CustomerFactory    $customerFactory
     */
    public function __construct(
        \Magento\Framework\App\Action\Context $context,
        \Magento\Store\Model\StoreManagerInterface $storeManager,
        \Magento\Customer\Model\CustomerFactory $customerFactory
    ) {
        $this->storeManager     = $storeManager;
        $this->customerFactory  = $customerFactory;

        parent::__construct($context);
    }

    public function execute()
    {
        // Get Website ID
        $websiteId  = $this->storeManager->getWebsite()->getWebsiteId();

        // Instantiate object (this is the most important part)
        $customer   = $this->customerFactory->create();
        $customer->setWebsiteId($websiteId);

        // Preparing data for new customer
        $customer->setEmail("[email protected]"); 
        $customer->setFirstname("First Name");
        $customer->setLastname("Last name");
        $customer->setPassword("password");

        // Save data
        $customer->save();
        $customer->sendNewAccountEmail();
    }
}

Mam nadzieję, że ten fragment kodu pomoże komuś innemu ...

Eduardo
źródło
6
Byłeś bardzo blisko Kiedy tylko jest to możliwe, powinieneś unikać używania objectManager bezpośrednio - to zła forma. Właściwym sposobem na to jest użycie wstrzykiwania zależności, aby uzyskać klasę „fabryczną” i użyć jej do utworzenia instancji. Jeśli dla danej klasy nie istnieje klasa fabryczna, zostanie wygenerowana automatycznie. Zmodyfikowałem twój kod, aby go użyć (dodałem fabrykę do konstruktora i klasy oraz wywołałem create ()) i postępowałem zgodnie ze standardami kodu PSR-2.
Ryan Hoerr,
Dzięki za korektę @ RyanH. Myślałem o użyciu klas fabrycznych, ale nie byłem pewien, jak to zrobić, więc użyłem objectManager ... Więcej o standardach kodu PSR-2 przeczytam w przyszłych projektach. Używam teraz kodu z twoimi poprawkami i wszystko działa idealnie. Dzięki
Eduardo,
@RyanH. Gotowy ; )
Eduardo,
Widzę to w bazach danych, ale nie w panelu administracyjnym. Co się dzieje?
Arni
1
@Arni; moje pierwsze przypuszczenie jest takie, że trzeba by ponownie zainwestować :)
Alex Timmer,
4

Oto prosty sposób na utworzenie nowego klienta z domyślną grupą i bieżącym sklepem.

use Magento\Framework\App\RequestFactory;
use Magento\Customer\Model\CustomerExtractor;
use Magento\Customer\Api\AccountManagementInterface;

class CreateCustomer extends \Magento\Framework\App\Action\Action
{
    /**
     * @var RequestFactory
     */
    protected $requestFactory;

    /**
     * @var CustomerExtractor
     */
    protected $customerExtractor;

    /**
     * @var AccountManagementInterface
     */
    protected $customerAccountManagement;

    /**
     * @param \Magento\Framework\App\Action\Context $context
     * @param RequestFactory $requestFactory
     * @param CustomerExtractor $customerExtractor
     * @param AccountManagementInterface $customerAccountManagement
     */
    public function __construct(
        \Magento\Framework\App\Action\Context $context,
        RequestFactory $requestFactory,
        CustomerExtractor $customerExtractor,
        AccountManagementInterface $customerAccountManagement
    ) {
        $this->requestFactory = $requestFactory;
        $this->customerExtractor = $customerExtractor;
        $this->customerAccountManagement = $customerAccountManagement;
        parent::__construct($context);
    }

    /**
     * Retrieve sources
     *
     * @return array
     */
    public function execute()
    {
        $customerData = [
            'firstname' => 'First Name',
            'lastname' => 'Last Name',
            'email' => '[email protected]',
        ];

        $password = 'MyPass123'; //set null to auto-generate

        $request = $this->requestFactory->create();
        $request->setParams($customerData);

        try {
            $customer = $this->customerExtractor->extract('customer_account_create', $request);
            $customer = $this->customerAccountManagement->createAccount($customer, $password);
        } catch (\Exception $e) {
            //exception logic
        }
    }
}
Nicholas Miller
źródło
Co to jest $ request? Czy możemy również dodawać niestandardowe atrybuty?
jafar pinjar
Jak ustawić niestandardowe atrybuty?
jafar pinjar
0

Ten kod działa w pliku zewnętrznym lub pliku konsoli CLI Magento

namespace Company\Module\Console;

use Braintree\Exception;
use Symfony\Component\Console\Command\Command;
use Symfony\Component\Console\Input\InputInterface;
use Symfony\Component\Console\Output\OutputInterface;
use Magento\Framework\App\Bootstrap;


class ImportProducts extends Command
{

    public function magentoStart()
    {
        $startMagento = $this->bootstrap();
        $state = $startMagento['objectManager']->get('Magento\Framework\App\State');
        $state->setAreaCode('frontend');
        return $startMagento['objectManager'];
    }

    protected function bootstrap()
    {
        require '/var/www/html/app/bootstrap.php';
        $bootstrap = Bootstrap::create(BP, $_SERVER);
        $objectManager = $bootstrap->getObjectManager();
        return array('bootstrap' => $bootstrap, 'objectManager' => $objectManager);
    }

    protected function createCustomers($item)
    {
        $objectManager      = $this->magentoStart();
        $storeManager       = $objectManager->create('Magento\Store\Model\StoreManagerInterface');
        $customerFactory    = $objectManager->create('Magento\Customer\Model\CustomerFactory');

        $websiteId  = $storeManager->getWebsite()->getWebsiteId();
        $customer   = $customerFactory->create();
        $customer->setWebsiteId($websiteId);
        $customer->setEmail("[email protected]");
        $customer->setFirstname("First Name");
        $customer->setLastname("Last name");
        $customer->setPassword("password");
        $customer->save();
    }
}
Israel Guido
źródło
0

Wszystkie powyższe przykłady będą działać, ale standardowym sposobem zawsze powinno być korzystanie z umów o świadczenie usług niż konkretnych klas.

Dlatego też należy preferować poniższe sposoby programowego tworzenia klienta.

                /** @var \Magento\Customer\Api\Data\CustomerInterface $customer */
                $customer = $this->customerFactory->create();
                $customer->setStoreId($store->getStoreId());
                $customer->setWebsiteId($store->getWebsiteId());
                $customer->setEmail($email);
                $customer->setFirstname($firstName);
                $customer->setLastname($lastName);

                /** @var \Magento\Customer\Api\CustomerRepositoryInterface $customerRepository*/
                $customerRepository->save($customer);
Milind Singh
źródło