Uploading 450 KB with SFTP impossible

Can anyone confirm that it's possible to upload a file with
more than 450
KB with SFTP in Dreamweaver CS4? At least I don't manage. I
see the
"Background File Activity" window trying to upload the file
and then
"Waiting for server...". At the same time I can see the file
size growing
on the server. Thus the data is received and stored. However
Dreamweaver
says it's waiting for the server. I don't know what's waiting
for but at
some point it stops waiting and cancels the transmission. Now
the very
same file is transferred successfully if I use FTP. Is this a
known
problem?
Boris

On Mon, 23 Mar 2009 09:17:05 +0100, David Powers
<[email protected]> wrote:
> Boris Schaeling wrote:
>> Can anyone confirm that it's possible to upload a
file with more than
>> 450 KB with SFTP in Dreamweaver CS4?
>
> I can neither confirm nor disprove it. What I can say is
that the FTP
> performance of Dreamweaver is one of its weakest points.
Adobe is aware
> of complaints about the FTP support in Dreamweaver.
Hopefully, these
> issues will be addressed in the next version.
Ah, good to know that Adobe is trying to fix these issues.
The previous
Dreamweaver version I had used extensively was MX 2004. And
even back then
FTP support was horrible in my opinion. I never tried SFTP in
MX 2004
though.
> FWIW, I use Dreamweaver FTP most of the time, but if I
have a large
> number of files to upload, I always use an external
program.
I see. I'd like to benefit from the synchronizing feature in
Dreamweaver
though.
Boris

Similar Messages

  • SOCKS 5 support with SFTP?

    Does anyone know if Contribute supports SOCKS 5 with
    SFTP?

    Hi,
    sorry, but this is not true. (S)FTP is implemented and works. You can upload many images with a gallery onto your server in the Web module. Just tested it again and it works for servers, which allow ssh password authentication . My wish for this is, that it uses an ssh agent with an identity for the connection authentication. And that does not work, if the server disallows password auth.
    Please have a look at the Web module, last section on the right panel.
      Michael.

  • Upload multiple files WITH correct pairs of form fields into Database

    In my form page, I would like to allow 3 files upload and 3 corresponding text fields, so that the filename and text description can be saved in database table in correct pair. Like this:
    INSERT INTO table1 (filename,desc) VALUES('photo1.jpg','happy day');
    INSERT INTO table1 (filename,desc) VALUES('photo2.jpg','fire camp');
    INSERT INTO table1 (filename,desc) VALUES('photo3.jpg','christmas night');
    However, using the commons fileupload, http://commons.apache.org/fileupload/, I don't know how to reconstruct my codes so that I can acheieve this result.
    if(item.isFormField()){
    }else{
    }I seems to be restricted from this structure.
    The jsp form page
    <input type="text" name="description1" value="" />
    <input type="file" name="sourcefile" value="" />
    <input type="text" name="description2" value="" />
    <input type="file" name="sourcefile" value="" />The Servlet file
    package Upload;
    import sql.*;
    import user.*;
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.util.Map;
    import java.util.HashMap;
    import java.util.Date;
    import java.util.List;
    import java.util.Iterator;
    import java.io.File;
    import java.io.PrintWriter;
    import java.io.IOException;
    import java.text.SimpleDateFormat;
    import org.apache.commons.fileupload.servlet.ServletFileUpload;
    import org.apache.commons.fileupload.disk.DiskFileItemFactory;
    import org.apache.commons.fileupload.*;
    public class UploadFile extends HttpServlet {
    private String fs;
    private String category = null;
    private String realpath = null;
    public String imagepath = null;
    public PrintWriter out;
    private Map<String, String> formfield = new HashMap<String, String>();
      //Initialize global variables
      public void init(ServletConfig config, ServletContext context) throws ServletException {
        super.init(config);
      //Process the HTTP Post request
      public void doPost(HttpServletRequest request,HttpServletResponse response) throws ServletException, IOException {
        request.setCharacterEncoding("utf-8");
        response.setCharacterEncoding("utf-8");
        response.setContentType("text/html");
        PrintWriter out = response.getWriter();
        Thumbnail thumb = new Thumbnail();
        fs = System.getProperty("file.separator");
        this.SetImagePath();
         boolean isMultipart = ServletFileUpload.isMultipartContent(request);
         if(!isMultipart){
          out.print("not multiple part.");
         }else{
             FileItemFactory factory = new DiskFileItemFactory();
             ServletFileUpload upload = new ServletFileUpload(factory);
             List items = null;
             try{
                items = upload.parseRequest(request);
             } catch (FileUploadException e) {
                e.printStackTrace();
             Iterator itr = items.iterator();
             while (itr.hasNext()) {
               FileItem item = (FileItem) itr.next();
               if(item.isFormField()){
                  String formvalue = new String(item.getString().getBytes("ISO-8859-1"), "utf-8");
                  formfield.put(item.getFieldName(),formvalue);
                  out.println("Normal Form Field, ParaName:" + item.getFieldName() + ", ParaValue: " + formvalue + "<br/>");
               }else{
                 String itemName = item.getName();
                 String filename = GetTodayDate() + "-" + itemName;
                 try{
                   new File(this.imagepath + formfield.get("category")).mkdirs();
                   new File(this.imagepath + formfield.get("category")+fs+"thumbnails").mkdirs();
                   //Save the file to the destination path
                   File savedFile = new File(this.imagepath + formfield.get("category") + fs + filename);
                   item.write(savedFile);
                   thumb.Process(this.imagepath + formfield.get("category") +fs+ filename,this.imagepath + formfield.get("category") +fs+ "thumbnails" +fs+ filename, 25, 100);
                   DBConnection db = new DBConnection();
                   String sql = "SELECT id from category where name = '"+formfield.get("category")+"'";
                   db.SelectQuery(sql);
                    while(db.rs.next()){
                      int cat_id = db.rs.getInt("id");
                      sql = "INSERT INTO file (cat_id,filename,description) VALUES ("+cat_id+",'"+filename+"','"+formfield.get("description")+"')";
                      out.println(sql);
                      db.RunQuery(sql);
                 } catch (Exception e){
                    e.printStackTrace();
            HttpSession session = request.getSession();
            UserData k = (UserData)session.getAttribute("userdata");
            k.setMessage("File Upload successfully");
            response.sendRedirect("./Upload.jsp");
      //Get today date, it is a test, actually the current date can be retrieved from SQL
      public String GetTodayDate(){
        SimpleDateFormat format = new SimpleDateFormat("yyyyMMdd");
        String today = format.format(new Date());
        return today;
      //Set the current RealPath which the file calls for this file
      public void SetRealPath(){
        this.realpath = getServletConfig().getServletContext().getRealPath("/");
      public void SetImagePath(){
        this.SetRealPath();
        this.imagepath = this.realpath + "images" +fs;
    }Can anyone give me some code suggestion? Thx.

    When one hits the submit button - I then get a 404 page error.What is the apaches(?) error log saying? Mostly you get very useful information when looking into the error log!
    In any case you may look at how you are Uploading Multiple Files with mod_plsql.

  • After uploading our phones with the latest update, we have noticed that the battery life has deminished considerably.  I now have to charge my phone overnight and two or three times a day. Prior to the update, my battery life lasted me at least a full day

    After uploading our phones with the latest update, we have noticed that the battery life has deminished considerably.  I now have to charge my phone overnight and two or three times a day. Prior to the update, my battery life lasted me at least a full day.  We have several phones in our office and the ones that have updated (4) now have issue holding a charge/battery life. I really liked this phone and can not believe that you are now going to charge us $79 a battery to fix what is most definately a problem with your latest update.  I know other people outside of our company that are having the same problem. Not to mention when I called AT&T it was confirmed to me that they are hearing the same issue and then some from other customers as well.  Your own people, once I talked to them earlier today, told me they are showing a history of issues that are showing up after the update was put in place. Of course she tried to say, "Maybe the age of the battery and the update both contributed".  Whatever. 
    I want you all to know how disappointed I am in your company for the handling of this issue.  I always thought "Apple" was the line I didn't have to worry about having any types of issue. And that you all would stand behined your product 100%. Now I am not so sure.   
    I would love to hear back from your company on how you perceive the issue with all of these phones that prior to the update didn't have any issues and how after the update THEY ARE NOW having issues.  I do not believe this was an issue due to the age of a battery and that was pretty lame to say so.  It was fine and now its not.
    Please feel free to contact me and help me figure out a way to pay for all of the batteries that will be needed for our company to contiue doing business as needed.
    Thank you.
    Web Address (URL):
    5106 McNarney

    Sorry this is a user to user technical forum.  There is NO APPLE here as stated in the term of use when you signed up for this forum.
    here are some battery tips
    http://osxdaily.com/2013/09/19/ios-7-battery-life-fix/
    http://www.apple.com/batteries/iphone.html

  • I dissonected my ipod when i was uploading my ipod with the new software

    I dissonected my ipod when i was uploading my ipod with the new software 6.1 or watever and like now it has a black and white screen like a mini. i turn ut on it has the folder onit that says go to apple/ipod support thing then it shuts off. i tried restoring it and it says error. please help me cause it is really starting to make me mad.

    Try this following it exactly:
    Reset your iPod.
    1) Slide the lock button to ON.
    2) Slide the lock button to OFF.
    3) Press 'menu' and 'centre' button together for several seconds.
    4) When you see the Apple, press and hold the 'centre' and 'play/pause' buttons for several seconds.

  • Upload text files with non-english characters

    I use an Apex page to upload text files. Then i retrieve the contents of files from wwv_flow_files.blob_content and convert them to varchar2 with utl_raw.cast_to_varchar2, but characters like ò, à, ù become garbage.
    What could be the problem? Are characters lost when files are stored in wwv_flow_files or when i do the conversion?
    Some other info:
    * I see wwv_flow_files.DAD_CHARSET is set to "ascii", wwv_flow_files.FILE_CHARSET is null.
    * Trying utl_raw.cast_to_varchar2( utl_raw.cast_to_raw('àòèù') ) returns 'àòèù' correctly;
    * NLS_CHARACTERSET parameter is AL32UTF8 (not just english ASCII)

    Hi
    Have a look at csv upload -- suggestion needed with non-English character in csv file it might help you.
    Thanks,
    Manish

  • UPLOAD A DIRECTORY WITH N NUMBER OF DATA FILE

    Hi Experts
                               In my scenario i need to upload a directory with n number of excel file from my presentation server to application server . Please do help on that (note : directory with many file not an single file )

    Hi,
    Here is the Code for List of Files from the Specific Directory to Application Server(SAP)..
    REPORT  ZDIRFILES    .
    PARAMETER: p_fdir            type pfeflnamel DEFAULT '/usr/sap/tmp'.
    data: begin of it_filedir occurs 10.
            include structure salfldir.
    data: end of it_filedir.
    *START-OF-SELECTION
    START-OF-SELECTION.
    Get Current Directory Listing for OUT Dir
      call function 'RZL_READ_DIR_LOCAL'
           exporting
                name     = p_fdir
           tables
                file_tbl = it_filedir.
    List of files are contained within table it_filedir
      loop at it_filedir.
        write: / it_filedir-NAME.
      endloop.
    Girish

  • How to upload a document with values related to document properties in to document set at same time using Javascript object model

    Hi,
          Problem Description: Need to upload a document with values related to document properties using custom form in to document set using JavaScript Object Model.
        Kindly let me know any solutions.
    Thanks
    Razvi444

    The following code shows how to use REST/Ajax to upload a document to a document set.
    function uploadToDocumentSet(filename, content) {
    appweburl = decodeURIComponent(getQueryStringParameter('SPAppWebUrl'));
    hostweburl = decodeURIComponent(getQueryStringParameter('SPHostUrl'));
    var restSource = appweburl +
    "/_api/SP.AppContextSite(@target)/web/GetFolderByServerRelativeUrl('/restdocuments/testds')/files/add(url='" + filename + "',overwrite=true)?@target='" + hostweburl + "'";
    var dfd = $.Deferred();
    $.ajax(
    'url': restSource,
    'method': 'POST',
    'data': content,
    processData: false,
    timeout:1000000,
    'headers': {
    'accept': 'application/json;odata=verbose',
    'X-RequestDigest': $('#__REQUESTDIGEST').val(),
    "content-length": content.byteLength
    'success': function (data) {
    var d = data;
    dfd.resolve(d);
    'error': function (err,textStatus,errorThrown) {
    dfd.reject(err);
    return dfd;
    Then when this code returns you can use the following to update the metadata of the new document.
    function updateMetadataNoVersion(fileUrl) {
    appweburl = decodeURIComponent(getQueryStringParameter('SPAppWebUrl'));
    hostweburl = decodeURIComponent(getQueryStringParameter('SPHostUrl'));
    var restSource = appweburl +
    "/_api/SP.AppContextSite(@target)/web/GetFolderByServerRelativeUrl('/restdocuments/testds')/files/getbyurl(url='" + fileUrl + "')/listitemallfields/validateupdatelistitem?@target='" + hostweburl + "'";
    var dfd = $.Deferred();
    $.ajax(
    'url': restSource,
    'method': 'POST',
    'data': JSON.stringify({
    'formValues': [
    '__metadata': { 'type': 'SP.ListItemFormUpdateValue' },
    'FieldName': 'Title',
    'FieldValue': 'My Title2'
    'bNewDocumentUpdate': true,
    'checkInComment': ''
    'headers': {
    'accept': 'application/json;odata=verbose',
    'content-type': 'application/json;odata=verbose',
    'X-RequestDigest': $('#__REQUESTDIGEST').val()
    'success': function (data) {
    var d = data;
    dfd.resolve(d);
    'error': function (err) {
    dfd.reject(err);
    return dfd;
    Blog | SharePoint Field Notes Dev Tools |
    SPFastDeploy | SPRemoteAPIExplorer

  • How to upload a file with a HTML form into a BLOB ?

    Hi,
    I want to upload a file into a BLOB.
    I have created a procedure in PL/SQL whitch generates an html form.
    You can upload a file with <input type="file" name="my_file">.
    How can I insert this file into my database ?
    Thank's for your Help
    Estelle

    Hi Estelle,
    Portal Applications forum is a more apporpriate forum for such questions. Please post your question there.
    Thanks,
    Ravi

  • I'm having problems uploading video taken with my iPhone 4 to Photobucket.  FB will not accept the file extension which is ex. IMG_423.  They will play on my computer and will upload to Facebook.  Why is the phone taking video with this file instead of so

    I'm having problems uploading video taken with my iPhone 4 to Photobucket.  FB will not accept the file extension which is ex. IMG_423.  They will play on my computer and will upload to Facebook.  Why is the phone taking video with this file instead of something like .mov or mp4.  How can I change the extension after the fact and avoid it in the future?

    You said, "the 4 also has signal and wifi whereas the 5 has only wifi". By "signal", I'm assuing that you mean cellular signal. If so, that means your iPhone 4 is still active on your cellular number and your iPhone 5 is not. Contact your carrier to sort out which phone is active on your account.

  • What program will work with SFTP backup program in 5.0(4)?

    Who know how to backup the data from CM5.0(4) server to remote host via SFTP progarm?? The CM does not include a backup tape system, the CM only allow backup the data to remote side with SFTP. We had tried shareware from internet, but it does not work.
    No availiable SFTP program from Cisco site is free for download.
    Thanks in advance!

    Hi Michael,
    Have you seen this info from the release notes for CCM 5.0(4);
    Some Cisco Unified CallManager services, such as CDR, DRF, and DMA, require a separate FTP or SFTP server. The following FTP server programs have been tested with Cisco Unified CallManager 5.0.
    Openssh Server by Red Hat, Inc., Version 3.6.1p2, Release 33.30.4
    Cygwin SFTP Server, Version 2.457.2.2 with cygwin.dll Version, 1.5.16
    War FTP Daemon Version 1.82, by Jgaa's Freeware on Microsoft Windows server
    FTP Publishing Service in Microsoft Internet Information Server 5.0, Version 1.0 on a Microsoft Windows 2000 Server
    From this CCM 5.0(4) doc;
    http://www.cisco.com/en/US/products/sw/voicesw/ps556/prod_release_note09186a00806cfa62.html#wp298402
    Hope this helps!
    Rob
    Please remember to rate helpful posts.......

  • Uploading of contract with adjustments.

    Dear all.
    i was using the function module BAPI_RE_CN_CREATE to create the contract . the contract is uploading fine with out the adjustment details.now the issues is when i have slected the adjustment rule FREECUS which is avilable in the system . The conditionis not gettting adjusted. and also the condition is not getting approved even though i have slected the option in the BAPI accordingly. can any body suggest how to upload this contract with adjustments.
    Regards.
    Varaprasad.

    Hi Varaprasad,
    you can use BAPI_RE_CN_CREATE to upload adjustment rules also  (parameter TERM_ADJUSTMENT). But it is not possible to upload results of former adjustments of old system. In this case you have to adjust adjustment rules accordingly so that it is possible to continue adjustments after uploading of contracts.
    Regards, Franz

  • How to do FCC with SFTP adapter (BIC MD tool)

    Dear All,
    Hi guys...can anyone tell how to do FCC with SFTP adapter (Seeburger).
    Can BIC MD tool do the FCC required. can anyone provide link which tells steps to perform FCC with BIC MD.
    we know that we can use the standard module for it. but we are trying to explore this BIC MD and its limitations.
    Regards,
    Senthilprakash

    Hi,
    Im closing this thread as its open for long time now.
    well i have even found the solution for the same.
    SFTP adapter as such does not have FCC functionality.
    we have to use SAP Modules for performing FCC in SFTP adapter.
    for complex conversions (more than 3 levels) we can use BIC tool and then deploy the module in our adapter.
    Regards,
    Senthilprakash.

  • File uploads using jQuery with jquery.fileupload.js fails in Firefox over SSL

    Please see the link below where I originally posted the question.
    http://stackoverflow.com/questions/27792614/file-uploads-using-jquery-with-jquery-fileupload-js-fails-in-firefox-over-ssl

    Thanks. In my estimation that is exactly the issue. But that doesn't help with a resolution.
    The actual file size: 945,991 bytes
    If Firefox is miscalculating the length (in Safari/Chrome 945991 and 946241 in Firefox), then Firefox is reporting erroneously and should be raised as a bug in Firefox, would you agree?

  • How to upload an Hompage with iWeb with other website nam

    I'm an Amateur in this and wanted to ask how can I upload a Website with iWeb or other Programm with an other Address
    Thanks

    Actually, forwarding has nothing to do with name servers. You should not need to alter these at all.
    Did you fill in your personal domain in your MMe account to use the CNAME forwarding option? If so, then at your host you should have gone and altered the DNS settings. You need to enter something similar to www, then select the CNAME option from a drop down menu and then forward to web.me.com.
    If you are not using the CNAME option, then you can use ordinary web forwarding which entails going to web forwarding and forwarding your domain to web.me.com/username/sitename.
    Name Server settings should not enter into any of this, it should just be either your DNS settings or web forwarding.
    So, if you entered your personal domain name into your MMe account and forwarded to web.me.com, then somewhere along the line, you should have entered and set up CNAME in your DNS settings.
    If you did not do this, then I believe that the "Kind folk at the Apple store" have given you incorrect information.

Maybe you are looking for