我是symfony和php5的新手(我是Java,Spring,Grails开发人员)。
我正在开发一个项目,它有一个java-middleware和一个带有symfony 2的php前端。 java中间件存储用户和我的应用程序所需的一切。
我不希望symfony2拥有自己的数据库。 symfony2需要的每个信息来自java-middleware通过WSDL和我的php-soap-api,我可以将它包含在我的symfony2项目中。
用户需要登录前端。所以我必须编写登录和注销功能。 java-middleware提供了一个登录方法,我可以通过php-soap-api在php中调用。
我应该如何在symfony2中实现登录/注销功能?我应该实现一个自定义用户提供程序,它调用php-soap-api?如果是的话,我该怎么做? (http://symfony.com/doc/2.0/cookbook/security/custom_provider.html)不可用。
感谢您的支持! whitenexx
答案 0 :(得分:1)
查看User Provider Interface文档......我认为一种方法是构建自己的接口实现,它将充当WSDL调用的包装器,然后正确设置安全上下文( security.yml )使用它。
我遇到了类似的问题,我也在尝试建立自己的用户提供商。
答案 1 :(得分:1)
是的,您需要创建自己的用户提供商并将其作为Symfony应用程序的服务添加。您创建的用户提供程序类必须实现UserProviderInterface
要在这里开始你的课程是我在Namespace / Bundle / Security / Provider.php中的自定义类的一个例子:
namespace CB\WebsiteBundle\Security;
use Symfony\Component\Security\Core\User\UserInterface;
use Symfony\Component\Security\Core\User\UserProviderInterface;
use Symfony\Component\Security\Core\Exception\UsernameNotFoundException;
use CB\WebsiteBundle\Entity\User;
class Provider implements UserProviderInterface {
protected $user;
public function __contsruct (UserInterface $user) {
$this->user = $user;
}
/**
* Loads the user for the given username.
*
* This method must throw UsernameNotFoundException if the user is not
* found.
*
* @throws UsernameNotFoundException if the user is not found
* @param string $username The username
*
* @return UserInterface
*/
function loadUserByUsername($username) {
$user = User::find(array('username'=>$username));
if(empty($user)){
throw new UsernameNotFoundException('Could not find user. Sorry!');
}
$this->user = $user;
return $user;
}
/**
* Refreshes the user for the account interface.
*
* It is up to the implementation if it decides to reload the user data
* from the database, or if it simply merges the passed User into the
* identity map of an entity manager.
*
* @throws UnsupportedUserException if the account is not supported
* @param UserInterface $user
*
* @return UserInterface
*/
function refreshUser(UserInterface $user) {
return $user;
}
/**
* Whether this provider supports the given user class
*
* @param string $class
*
* @return Boolean
*/
function supportsClass($class) {
return $class === 'MC\WebsiteBundle\Entity\User';
}
}
此类中需要注意的一些关键事项是它使用您自己定义的自定义User实体,这将有助于连接到Java中间件。在我的例子中,我连接到REST api以获取我的用户信息,而我的用户类使用User :: find($ criteria)静态函数来按用户名查找用户。
一旦拥有了与中间件交互的自己的User类,并且拥有了新的提供程序,就需要在bundle配置中添加提供程序作为服务:YourBundle / Resources / config.xml:
<parameters>
<parameter key="cb_security_user.class">CB\WebsiteBundle\Entity\User</parameter>
<parameter key="cb_security_provider.class">CB\WebsiteBundle\Security\Provider</parameter>
</parameters>
<services>
<service id="cb_security_user" class="%cb_security_user.class%" />
<service id="cb_security_provider" class="%cb_security_provider.class%">
<argument type="service" id="cb_security_user" />
</service>
</services>
您可以在我的博客文章中找到更多详细信息:Custom User Providers in Symfony2
希望这有帮助!