当前位置: 首页>>代码示例>>Java>>正文


Java AccessControlException类代码示例

本文整理汇总了Java中org.apache.hadoop.security.AccessControlException的典型用法代码示例。如果您正苦于以下问题:Java AccessControlException类的具体用法?Java AccessControlException怎么用?Java AccessControlException使用的例子?那么, 这里精选的类代码示例或许可以为您提供帮助。


AccessControlException类属于org.apache.hadoop.security包,在下文中一共展示了AccessControlException类的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Java代码示例。

示例1: setAcl

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
public void setAcl(String src, List<AclEntry> aclSpec) throws IOException {
  checkOpen();
  TraceScope scope = Trace.startSpan("setAcl", traceSampler);
  try {
    namenode.setAcl(src, aclSpec);
  } catch(RemoteException re) {
    throw re.unwrapRemoteException(AccessControlException.class,
                                   AclException.class,
                                   FileNotFoundException.class,
                                   NSQuotaExceededException.class,
                                   SafeModeException.class,
                                   SnapshotAccessControlException.class,
                                   UnresolvedPathException.class);
  } finally {
    scope.close();
  }
}
 
开发者ID:naver,项目名称:hadoop,代码行数:18,代码来源:DFSClient.java

示例2: getDelegationToken

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
@Override
public Token<DelegationTokenIdentifier> getDelegationToken(
    final String renewer) throws IOException {
  final HttpOpParam.Op op = GetOpParam.Op.GETDELEGATIONTOKEN;
  Token<DelegationTokenIdentifier> token =
      new FsPathResponseRunner<Token<DelegationTokenIdentifier>>(
          op, null, new RenewerParam(renewer)) {
    @Override
    Token<DelegationTokenIdentifier> decodeResponse(Map<?,?> json)
        throws IOException {
      return JsonUtil.toDelegationToken(json);
    }
  }.run();
  if (token != null) {
    token.setService(tokenServiceName);
  } else {
    if (disallowFallbackToInsecureCluster) {
      throw new AccessControlException(CANT_FALLBACK_TO_INSECURE_MSG);
    }
  }
  return token;
}
 
开发者ID:naver,项目名称:hadoop,代码行数:23,代码来源:WebHdfsFileSystem.java

示例3: checkSuperuserPrivilege

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
/** Check whether the current user is in the superuser group. */
private void checkSuperuserPrivilege() throws IOException, AccessControlException {
  if (!isPermissionEnabled) {
    return;
  }
  // Try to get the ugi in the RPC call.
  UserGroupInformation callerUgi = ipcServer.getRemoteUser();
  if (callerUgi == null) {
    // This is not from RPC.
    callerUgi = UserGroupInformation.getCurrentUser();
  }

  // Is this by the DN user itself?
  assert dnUserName != null;
  if (callerUgi.getShortUserName().equals(dnUserName)) {
    return;
  }

  // Is the user a member of the super group?
  List<String> groups = Arrays.asList(callerUgi.getGroupNames());
  if (groups.contains(supergroup)) {
    return;
  }
  // Not a superuser.
  throw new AccessControlException();
}
 
开发者ID:naver,项目名称:hadoop,代码行数:27,代码来源:DataNode.java

示例4: createSymlink

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
/**
 * Create a symbolic link.
 */
@SuppressWarnings("deprecation")
void createSymlink(String target, String link,
    PermissionStatus dirPerms, boolean createParent, boolean logRetryCache)
    throws IOException {
  if (!FileSystem.areSymlinksEnabled()) {
    throw new UnsupportedOperationException("Symlinks not supported");
  }
  HdfsFileStatus auditStat = null;
  checkOperation(OperationCategory.WRITE);
  writeLock();
  try {
    checkOperation(OperationCategory.WRITE);
    checkNameNodeSafeMode("Cannot create symlink " + link);
    auditStat = FSDirSymlinkOp.createSymlinkInt(this, target, link, dirPerms,
                                                createParent, logRetryCache);
  } catch (AccessControlException e) {
    logAuditEvent(false, "createSymlink", link, target, null);
    throw e;
  } finally {
    writeUnlock();
  }
  getEditLog().logSync();
  logAuditEvent(true, "createSymlink", link, target, auditStat);
}
 
开发者ID:naver,项目名称:hadoop,代码行数:28,代码来源:FSNamesystem.java

示例5: getFileStatus

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
@Override
public FileStatus getFileStatus(final Path f) throws AccessControlException,
    FileNotFoundException, UnresolvedLinkException, IOException {
  InodeTree.ResolveResult<AbstractFileSystem> res = 
    fsState.resolve(getUriPath(f), true);

  //  FileStatus#getPath is a fully qualified path relative to the root of 
  // target file system.
  // We need to change it to viewfs URI - relative to root of mount table.
  
  // The implementors of RawLocalFileSystem were trying to be very smart.
  // They implement FileStatus#getOwener lazily -- the object
  // returned is really a RawLocalFileSystem that expect the
  // FileStatus#getPath to be unchanged so that it can get owner when needed.
  // Hence we need to interpose a new ViewFsFileStatus that works around.
  
  
  FileStatus status =  res.targetFileSystem.getFileStatus(res.remainingPath);
  return new ViewFsFileStatus(status, this.makeQualified(f));
}
 
开发者ID:nucypher,项目名称:hadoop-oss,代码行数:21,代码来源:ViewFs.java

示例6: listXAttrs

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
public List<String> listXAttrs(String src)
        throws IOException {
  checkOpen();
  TraceScope scope = getPathTraceScope("listXAttrs", src);
  try {
    final Map<String, byte[]> xattrs =
      XAttrHelper.buildXAttrMap(namenode.listXAttrs(src));
    return Lists.newArrayList(xattrs.keySet());
  } catch(RemoteException re) {
    throw re.unwrapRemoteException(AccessControlException.class,
                                   FileNotFoundException.class,
                                   UnresolvedPathException.class);
  } finally {
    scope.close();
  }
}
 
开发者ID:naver,项目名称:hadoop,代码行数:17,代码来源:DFSClient.java

示例7: getFileStatus

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
@Override
public FileStatus getFileStatus(final Path f) throws AccessControlException,
    FileNotFoundException, IOException {
  InodeTree.ResolveResult<FileSystem> res = 
    fsState.resolve(getUriPath(f), true);
  
  // FileStatus#getPath is a fully qualified path relative to the root of 
  // target file system.
  // We need to change it to viewfs URI - relative to root of mount table.
  
  // The implementors of RawLocalFileSystem were trying to be very smart.
  // They implement FileStatus#getOwener lazily -- the object
  // returned is really a RawLocalFileSystem that expect the
  // FileStatus#getPath to be unchanged so that it can get owner when needed.
  // Hence we need to interpose a new ViewFileSystemFileStatus that 
  // works around.
  FileStatus status =  res.targetFileSystem.getFileStatus(res.remainingPath);
  return new ViewFsFileStatus(status, this.makeQualified(f));
}
 
开发者ID:naver,项目名称:hadoop,代码行数:20,代码来源:ViewFileSystem.java

示例8: testRemoveAclEntriesMustBeOwnerOrSuper

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
@Test
public void testRemoveAclEntriesMustBeOwnerOrSuper() throws Exception {
  Path bruceDir = new Path(path, "bruce");
  Path bruceFile = new Path(bruceDir, "file");
  fs.mkdirs(bruceDir);
  fs.setOwner(bruceDir, "bruce", null);
  fsAsBruce.create(bruceFile).close();
  List<AclEntry> aclSpec = Lists.newArrayList(
    aclEntry(ACCESS, USER, "diana"));
  fsAsBruce.removeAclEntries(bruceFile, aclSpec);
  fs.removeAclEntries(bruceFile, aclSpec);
  fsAsSupergroupMember.removeAclEntries(bruceFile, aclSpec);
  exception.expect(AccessControlException.class);
  fsAsDiana.removeAclEntries(bruceFile, aclSpec);
}
 
开发者ID:naver,项目名称:hadoop,代码行数:16,代码来源:FSAclBaseTest.java

示例9: createSymlink

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
@Override
public void createSymlink(Path target, Path link, boolean createParent)
    throws AccessControlException, FileAlreadyExistsException,
    FileNotFoundException, ParentNotDirectoryException,
    UnsupportedFileSystemException, IOException {
  fs.createSymlink(target, link, createParent);
}
 
开发者ID:nucypher,项目名称:hadoop-oss,代码行数:8,代码来源:FileSystemTestWrapper.java

示例10: verifyCorruptedBlockCount

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
/**
 * Verify the number of corrupted block replicas by fetching the block
 * location from name node.
 */
private void verifyCorruptedBlockCount(Path filePath, int expectedReplicas)
    throws AccessControlException, FileNotFoundException,
    UnresolvedLinkException, IOException {
  final LocatedBlocks lBlocks = dfs.dfs.getNamenode().getBlockLocations(
      filePath.toUri().getPath(), 0, Long.MAX_VALUE);
  // we expect only the first block of the file is used for this test
  LocatedBlock firstLocatedBlock = lBlocks.get(0);
  Assert.assertEquals(expectedReplicas,
      firstLocatedBlock.getLocations().length);
}
 
开发者ID:naver,项目名称:hadoop,代码行数:15,代码来源:TestClientReportBadBlock.java

示例11: rename

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
@SuppressWarnings("deprecation")
@Override
public void rename(Path src, Path dst, Rename... options)
    throws AccessControlException, FileAlreadyExistsException,
    FileNotFoundException, ParentNotDirectoryException,
    UnsupportedFileSystemException, IOException {
  fs.rename(src, dst, options);
}
 
开发者ID:nucypher,项目名称:hadoop-oss,代码行数:9,代码来源:FileSystemTestWrapper.java

示例12: transitionToStandby

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
@Override
public void transitionToStandby(StateChangeRequestInfo req) throws ServiceFailedException,
    AccessControlException, IOException {
  checkUnreachable();
  if (failToBecomeStandby) {
    throw new ServiceFailedException("injected failure");
  }
  if (sharedResource != null) {
    sharedResource.release(DummyHAService.this);
  }
  state = HAServiceState.STANDBY;
}
 
开发者ID:nucypher,项目名称:hadoop-oss,代码行数:13,代码来源:DummyHAService.java

示例13: listLocatedStatus

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
@Override
public RemoteIterator<LocatedFileStatus> listLocatedStatus(final Path f)
    throws AccessControlException, FileNotFoundException,
           UnresolvedLinkException, IOException {
  checkPath(f);
  return myFs.listLocatedStatus(f);
}
 
开发者ID:nucypher,项目名称:hadoop-oss,代码行数:8,代码来源:FilterFs.java

示例14: doCedeActive

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
private void doCedeActive(int millisToCede) 
    throws AccessControlException, ServiceFailedException, IOException {
  int timeout = FailoverController.getGracefulFenceTimeout(conf);

  // Lock elector to maintain lock ordering of elector -> ZKFC
  synchronized (elector) {
    synchronized (this) {
      if (millisToCede <= 0) {
        delayJoiningUntilNanotime = 0;
        recheckElectability();
        return;
      }

      LOG.info("Requested by " + UserGroupInformation.getCurrentUser() +
          " at " + Server.getRemoteAddress() + " to cede active role.");
      boolean needFence = false;
      try {
        localTarget.getProxy(conf, timeout).transitionToStandby(createReqInfo());
        LOG.info("Successfully ensured local node is in standby mode");
      } catch (IOException ioe) {
        LOG.warn("Unable to transition local node to standby: " +
            ioe.getLocalizedMessage());
        LOG.warn("Quitting election but indicating that fencing is " +
            "necessary");
        needFence = true;
      }
      delayJoiningUntilNanotime = System.nanoTime() +
          TimeUnit.MILLISECONDS.toNanos(millisToCede);
      elector.quitElection(needFence);
      serviceState = HAServiceState.INITIALIZING;
    }
  }
  recheckElectability();
}
 
开发者ID:naver,项目名称:hadoop,代码行数:35,代码来源:ZKFailoverController.java

示例15: access

import org.apache.hadoop.security.AccessControlException; //导入依赖的package包/类
@Override
public void access(Path path, FsAction mode) throws AccessControlException,
    FileNotFoundException, IOException {
  InodeTree.ResolveResult<FileSystem> res =
    fsState.resolve(getUriPath(path), true);
  res.targetFileSystem.access(res.remainingPath, mode);
}
 
开发者ID:nucypher,项目名称:hadoop-oss,代码行数:8,代码来源:ViewFileSystem.java


注:本文中的org.apache.hadoop.security.AccessControlException类示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。