當前位置: 首頁>>代碼示例>>Java>>正文


Java FTPClient.isConnected方法代碼示例

本文整理匯總了Java中org.apache.commons.net.ftp.FTPClient.isConnected方法的典型用法代碼示例。如果您正苦於以下問題:Java FTPClient.isConnected方法的具體用法?Java FTPClient.isConnected怎麽用?Java FTPClient.isConnected使用的例子?那麽, 這裏精選的方法代碼示例或許可以為您提供幫助。您也可以進一步了解該方法所在org.apache.commons.net.ftp.FTPClient的用法示例。


在下文中一共展示了FTPClient.isConnected方法的14個代碼示例,這些例子默認根據受歡迎程度排序。您可以為喜歡或者感覺有用的代碼點讚,您的評價將有助於係統推薦出更棒的Java代碼示例。

示例1: download

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
public static byte[] download(String url, int port, String username, String password, String remotePath,
		String fileName) throws IOException {
	FTPClient ftp = new FTPClient();
	ftp.setConnectTimeout(5000);
	ftp.setAutodetectUTF8(true);
	ftp.setCharset(CharsetUtil.UTF_8);
	ftp.setControlEncoding(CharsetUtil.UTF_8.name());
	try {
		ftp.connect(url, port);
		ftp.login(username, password);// 登錄
		if (!FTPReply.isPositiveCompletion(ftp.getReplyCode())) {
			ftp.disconnect();
			throw new IOException("login fail!");
		}
		ftp.changeWorkingDirectory(remotePath);
		ftp.setFileType(FTPClient.BINARY_FILE_TYPE);
		FTPFile[] fs = ftp.listFiles();
		for (FTPFile ff : fs) {
			if (ff.getName().equals(fileName)) {
				try (ByteArrayOutputStream is = new ByteArrayOutputStream();) {
					ftp.retrieveFile(ff.getName(), is);
					byte[] result = is.toByteArray();
					return result;
				}
			}
		}

		ftp.logout();
	} finally {
		if (ftp.isConnected()) {
			ftp.disconnect();
		}
	}
	return null;
}
 
開發者ID:HankXV,項目名稱:Limitart,代碼行數:36,代碼來源:FTPUtil.java

示例2: uploadFile

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
/**
 * 上傳文件至FTP服務器
 * 
 * @author gaoxianglong
 */
public boolean uploadFile(File file) {
	boolean result = false;
	FTPClient ftpClient = ftpConnManager.getFTPClient();
	if (null == ftpClient || !ftpClient.isConnected()) {
		return result;
	}
	try (BufferedInputStream in = new BufferedInputStream(new FileInputStream(file.getPath()))) {
		boolean storeFile = ftpClient.storeFile(file.getName(), in);
		if (storeFile) {
			result = true;
			log.info("file-->" + file.getPath() + "成功上傳至FTP服務器");
		}
	} catch (Exception e) {
		log.error("error", e);
	} finally {
		disconnect(ftpClient);
	}
	return result;
}
 
開發者ID:yunjiweidian,項目名稱:TITAN,代碼行數:25,代碼來源:FtpUtils.java

示例3: downloadFile

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
/**
 * 從FTP服務器下載指定的文件至本地
 * 
 * @author gaoxianglong
 */
public boolean downloadFile(File file) {
	boolean result = false;
	FTPClient ftpClient = ftpConnManager.getFTPClient();
	if (null == ftpClient || !ftpClient.isConnected()) {
		return result;
	}
	try (BufferedOutputStream out = new BufferedOutputStream(
			new FileOutputStream(System.getProperty("user.home") + "/" + file.getName()))) {
		result = ftpClient.retrieveFile(file.getName(), out);
		if (result) {
			result = true;
			log.info("file-->" + file.getPath() + "成功從FTP服務器下載");
		}
	} catch (Exception e) {
		log.error("error", e);
	} finally {
		disconnect(ftpClient);
	}
	return result;
}
 
開發者ID:yunjiweidian,項目名稱:TITAN,代碼行數:26,代碼來源:FtpUtils.java

示例4: getFTPClient

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
public FTPClient getFTPClient(Uri uri) throws SocketException, IOException, AuthenticationException{
    NetworkCredentialsDatabase database = NetworkCredentialsDatabase.getInstance();
    Credential cred = database.getCredential(uri.toString());
    if(cred==null){
        cred = new Credential("anonymous","", buildKeyFromUri(uri).toString(), true);
    }
    FTPClient ftpclient = ftpClients.get(cred);
    if (ftpclient!=null && ftpclient.isConnected()){
        return ftpclient;
    }
    // Not previous session found, open a new one
    Log.d(TAG, "create new ftp session for "+uri);
    FTPClient ftp = getNewFTPClient(uri,FTP.BINARY_FILE_TYPE);
    if(ftp==null)
        return null;
    Uri key = buildKeyFromUri(uri);
    Log.d(TAG, "new ftp session created with key "+key);
    ftpClients.put(cred, ftp);
    return ftp;
}
 
開發者ID:archos-sa,項目名稱:aos-FileCoreLibrary,代碼行數:21,代碼來源:Session.java

示例5: getFTPSClient

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
public FTPClient getFTPSClient(Uri uri) throws SocketException, IOException, AuthenticationException{
    NetworkCredentialsDatabase database = NetworkCredentialsDatabase.getInstance();
    Credential cred = database.getCredential(uri.toString());
    if(cred==null){
        cred = new Credential("anonymous","", buildKeyFromUri(uri).toString(), true);
    }
    FTPClient ftpclient = ftpsClients.get(cred);
    if (ftpclient!=null && ftpclient.isConnected()){
        return ftpclient;
    }
    // Not previous session found, open a new one
    Log.d(TAG, "create new ftp session for "+uri);
    FTPClient ftp = getNewFTPSClient(uri, FTP.BINARY_FILE_TYPE);
    if(ftp==null)
        return null;
    Uri key = buildKeyFromUri(uri);
    Log.d(TAG, "new ftp session created with key "+key);
    ftpsClients.put(cred, ftp);
    return ftp;
}
 
開發者ID:archos-sa,項目名稱:aos-FileCoreLibrary,代碼行數:21,代碼來源:Session.java

示例6: closeFTPClient

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
/**
 * 關閉FTP連接
 * 
 * @author wangwei
 */
public void closeFTPClient(FTPClient ftp) throws Exception {

	try {
		if (ftp.isConnected())
			ftp.disconnect();
	} catch (Exception e) {
		throw new Exception("關閉FTP服務出錯!");
	}
}
 
開發者ID:smxc,項目名稱:garlicts,代碼行數:15,代碼來源:FTPUpload.java

示例7: downloadFile

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
public static boolean downloadFile(String url, int port, String username, String password,
                                   String remotePath, String fileName, String localPath) {
    boolean success = false;
    FTPClient ftp = new FTPClient();
    try {
        int reply;
        ftp.connect(url, port);
        ftp.login(username, password);
        reply = ftp.getReplyCode();
        if (!FTPReply.isPositiveCompletion(reply)) {
            ftp.disconnect();
            return success;
        }
        ftp.changeWorkingDirectory(remotePath);
        FTPFile[] fs = ftp.listFiles();
        System.out.println(fs.length);
        for (FTPFile ff : fs) {
            System.out.println(ff.getName());
            if (ff.getName().equals(fileName)) {
                File localFile = new File(localPath + "/" + ff.getName());
                OutputStream is = new FileOutputStream(localFile);
                ftp.retrieveFile(ff.getName(), is);
                is.close();
            }
        }
        ftp.logout();
        success = true;
    } catch (IOException e) {
        e.printStackTrace();
    } finally {
        if (ftp.isConnected()) {
            try {
                ftp.disconnect();
            } catch (IOException ioe) {
            }
        }
    }
    return success;
}
 
開發者ID:thomas-young-2013,項目名稱:wherehowsX,代碼行數:40,代碼來源:FtpUtils.java

示例8: disconnect

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
/**
 * Logout and disconnect the given FTPClient. *
 * 
 * @param client
 * @throws IOException
 */
private void disconnect(FTPClient client) throws IOException {
  if (client != null) {
    if (!client.isConnected()) {
      throw new FTPException("Client not connected");
    }
    boolean logoutSuccess = client.logout();
    client.disconnect();
    if (!logoutSuccess) {
      LOG.warn("Logout failed while disconnecting, error code - "
          + client.getReplyCode());
    }
  }
}
 
開發者ID:nucypher,項目名稱:hadoop-oss,代碼行數:20,代碼來源:FTPFileSystem.java

示例9: FTPInputStream

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
public FTPInputStream(InputStream stream, FTPClient client,
    FileSystem.Statistics stats) {
  if (stream == null) {
    throw new IllegalArgumentException("Null InputStream");
  }
  if (client == null || !client.isConnected()) {
    throw new IllegalArgumentException("FTP client null or not connected");
  }
  this.wrappedStream = stream;
  this.client = client;
  this.stats = stats;
  this.pos = 0;
  this.closed = false;
}
 
開發者ID:nucypher,項目名稱:hadoop-oss,代碼行數:15,代碼來源:FTPInputStream.java

示例10: uploadFile

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
/**
 * Description: 向FTP服務器上傳文件
 * @param url FTP服務器hostname
 * @param port FTP服務器端口
 * @param username FTP登錄賬號
 * @param password FTP登錄密碼
 * @param path FTP服務器保存目錄
 * @param filename 上傳到FTP服務器上的文件名
 * @param input 輸入流
 * @return 成功返回true,否則返回false
 */
public static boolean uploadFile(String url,int port,String username, String password, String path, String filename, InputStream input) {
	boolean success = false;
	FTPClient ftp = new FTPClient();
	try {
		int reply;
		ftp.connect(url, port);//連接FTP服務器
		//如果采用默認端口,可以使用ftp.connect(url)的方式直接連接FTP服務器
		ftp.login(username, password);//登錄
		reply = ftp.getReplyCode();
		if (!FTPReply.isPositiveCompletion(reply)) {
			ftp.disconnect();
			return success;
		}
		//設置FTP以2進製傳輸
		ftp.setFileType(FTPClient.BINARY_FILE_TYPE);
		//TODO 讀取文件配置判斷是否使用主動
		ftp.enterLocalPassiveMode();//被動
		//ftp.enterLocalActiveMode();//主動
		//創建目錄
		mkDir(path,ftp);
		//改變目錄
		ftp.changeWorkingDirectory(path);
		ftp.storeFile(filename, input);			
		input.close();
		ftp.logout();
		success = true;
	} catch (IOException e) {
		e.printStackTrace();
	} finally {
		if (ftp.isConnected()) {
			try {
				ftp.disconnect();
			} catch (IOException ioe) {
			}
		}
	}
	return success;
}
 
開發者ID:Xvms,項目名稱:xvms,代碼行數:50,代碼來源:FtpClient.java

示例11: mkDir

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
/**
* 循環創建目錄,並且創建完目錄後,設置工作目錄為當前創建的目錄下
*/
public static boolean mkDir(String ftpPath,FTPClient ftp2) {
 if (!ftp2.isConnected()) {
  return false;
 }
 try {
  // 將路徑中的斜杠統一
  char[] chars = ftpPath.toCharArray();
  StringBuffer sbStr = new StringBuffer(256);
  for (int i = 0; i < chars.length; i++) {
   if ('\\' == chars[i]) {
   	sbStr.append('/');
   }else{
   	sbStr.append(chars[i]);
   }
  }
  ftpPath = sbStr.toString();
  //System.out.println("ftpPath" + ftpPath);
  if (ftpPath.indexOf('/') == -1) {
   // 隻有一層目錄
   ftp2.makeDirectory(new String(ftpPath.getBytes(),"iso-8859-1"));
   ftp2.changeWorkingDirectory(new String(ftpPath.getBytes(),"iso-8859-1"));
  } else {
   // 多層目錄循環創建
   String[] paths = ftpPath.split("/");
   // String pathTemp = "";
   for (int i = 0; i < paths.length; i++) {
   	ftp2.makeDirectory(new String(paths[i].getBytes(),"iso-8859-1"));
   	ftp2.changeWorkingDirectory(new String(paths[i].getBytes(), "iso-8859-1"));
   }
  }
  return true;
 } catch (Exception e) {
  e.printStackTrace();
  return false;
 }
}
 
開發者ID:Xvms,項目名稱:xvms,代碼行數:40,代碼來源:FtpClient.java

示例12: create

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
/**
 * A stream obtained via this call must be closed before using other APIs of
 * this class or else the invocation will block.
 */
@Override
public FSDataOutputStream create(Path file, FsPermission permission,
    boolean overwrite, int bufferSize, short replication, long blockSize,
    Progressable progress) throws IOException {
  final FTPClient client = connect();
  Path workDir = new Path(client.printWorkingDirectory());
  Path absolute = makeAbsolute(workDir, file);
  FileStatus status;
  try {
    status = getFileStatus(client, file);
  } catch (FileNotFoundException fnfe) {
    status = null;
  }
  if (status != null) {
    if (overwrite && !status.isDirectory()) {
      delete(client, file, false);
    } else {
      disconnect(client);
      throw new FileAlreadyExistsException("File already exists: " + file);
    }
  }
  
  Path parent = absolute.getParent();
  if (parent == null || !mkdirs(client, parent, FsPermission.getDirDefault())) {
    parent = (parent == null) ? new Path("/") : parent;
    disconnect(client);
    throw new IOException("create(): Mkdirs failed to create: " + parent);
  }
  client.allocate(bufferSize);
  // Change to parent directory on the server. Only then can we write to the
  // file on the server by opening up an OutputStream. As a side effect the
  // working directory on the server is changed to the parent directory of the
  // file. The FTP client connection is closed when close() is called on the
  // FSDataOutputStream.
  client.changeWorkingDirectory(parent.toUri().getPath());
  FSDataOutputStream fos = new FSDataOutputStream(client.storeFileStream(file
      .getName()), statistics) {
    @Override
    public void close() throws IOException {
      super.close();
      if (!client.isConnected()) {
        throw new FTPException("Client not connected");
      }
      boolean cmdCompleted = client.completePendingCommand();
      disconnect(client);
      if (!cmdCompleted) {
        throw new FTPException("Could not complete transfer, Reply Code - "
            + client.getReplyCode());
      }
    }
  };
  if (!FTPReply.isPositivePreliminary(client.getReplyCode())) {
    // The ftpClient is an inconsistent state. Must close the stream
    // which in turn will logout and disconnect from FTP server
    fos.close();
    throw new IOException("Unable to create file: " + file + ", Aborting");
  }
  return fos;
}
 
開發者ID:nucypher,項目名稱:hadoop-oss,代碼行數:64,代碼來源:FTPFileSystem.java

示例13: execute

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
/**
 * 執行FTP回調操作的方法
 *
 * @param <T>      the type parameter
 * @param callback 回調的函數
 * @return the t
 * @throws IOException the io exception
 */
public <T> T execute(FTPClientCallback<T> callback) throws IOException {
    FTPClient ftp = new FTPClient();
    try {
        //登錄FTP服務器
        try {
            //設置超時時間
            ftp.setDataTimeout(7200);
            //設置默認編碼
            ftp.setControlEncoding(DEAFULT_REMOTE_CHARSET);
            //設置默認端口
            ftp.setDefaultPort(DEAFULT_REMOTE_PORT);
            //設置是否顯示隱藏文件
            ftp.setListHiddenFiles(false);
            //連接ftp服務器
            if (StringUtils.isNotEmpty(port) && NumberUtils.isDigits(port)) {
                ftp.connect(host, Integer.valueOf(port));
            } else {
                ftp.connect(host);
            }
        } catch (ConnectException e) {
            logger.error("連接FTP服務器失敗:" + ftp.getReplyString() + ftp.getReplyCode());
            throw new IOException("Problem connecting the FTP-server fail", e);
        }
        //得到連接的返回編碼
        int reply = ftp.getReplyCode();

        if (!FTPReply.isPositiveCompletion(reply)) {
            ftp.disconnect();
        }
        //登錄失敗權限驗證失敗
        if (!ftp.login(getUsername(), getPassword())) {
            ftp.quit();
            ftp.disconnect();
            logger.error("連接FTP服務器用戶或者密碼失敗::" + ftp.getReplyString());
            throw new IOException("Cant Authentificate to FTP-Server");
        }
        if (logger.isDebugEnabled()) {
            logger.info("成功登錄FTP服務器:" + host + " 端口:" + port);
        }
        ftp.setFileType(FTPClient.BINARY_FILE_TYPE);
        //回調FTP的操作
        return callback.doTransfer(ftp);
    } finally {
        //FTP退出
        ftp.logout();
        //斷開FTP連接
        if (ftp.isConnected()) {
            ftp.disconnect();
        }
    }
}
 
開發者ID:numsg,項目名稱:spring-boot-seed,代碼行數:60,代碼來源:FTPClientImpl.java

示例14: disconnect

import org.apache.commons.net.ftp.FTPClient; //導入方法依賴的package包/類
/**
 * 斷開與遠程服務器的連接
 *
 * @throws IOException
 */
public void disconnect(FTPClient ftpClient) throws IOException {
    if (ftpClient.isConnected()) {
        ftpClient.disconnect();
    }
}
 
開發者ID:numsg,項目名稱:spring-boot-seed,代碼行數:11,代碼來源:FtpHelper.java


注:本文中的org.apache.commons.net.ftp.FTPClient.isConnected方法示例由純淨天空整理自Github/MSDocs等開源代碼及文檔管理平台,相關代碼片段篩選自各路編程大神貢獻的開源項目,源碼版權歸原作者所有,傳播和使用請參考對應項目的License;未經允許,請勿轉載。