Photo upload help needed

Can't seem to upload my photos to iCloud, music and apps seem to sync, but no photos.  I have photo streaming on and connected to wifi, so not sure why it is not syncing.  I also plugged in my phone to my computer, but still nothing.  Any advice?

You're up to date for a iPad1 but IOS 5.1.1 isn't enough for the program you want.

Similar Messages

  • Photo uploading help.?

    I cannot upload any photos. I click import and go to the file source but it either says could not copy file to requested location, or gives me a bunch of random stuff that does not work or is not even in my files. What could I do to fix it or who could I contact to help me??

    Great, since that works, it's not a problem importing the photos into LR's catalog, but a problem copying them to one of the selected folders.
    So go back to my first post, and try what I said - "Which folder do you have set as the destination?  Try somewhere generic like the desktop - if it works there, it's probably a folder permissions issue."  Let me expand on that a little further for you.  Next time you import, select copy, but this time try setting a location like the Desktop.  If it still gives an error, make sure 'Second Copy' in the File Handling panel and try turning that off.

  • Multiple Photo Upload HELP! ADDT

    Hi Guys,
    I create a insert transaction for upload of images. And i insert a server behavior multiple upload image in the form.
    the upload link than was created and i managed to upload the images into the specific folder. however the data/filename was not reflected in the database.
    can anyone enlighten me? or anyone have any tutorial how to upload multiple images.
    Thanks mate!

    As a follow up to this I tried selecting the default id. The file upload restriction was removed. I would like to achieve the following. A form where a persons details are recorded, the person is not stored in a DB, the said person fills in a form and uploads required documents. The recipient can view the details and download that persons documents.
    I successfully create the forms for details but I need help with the above.
    If this is beyond the realms of this forums help, I am prepare to pay for help, but please keep charges to a minimum
    Laurence

  • File Upload Help Needed - Very Urgent

    Dear All
    I am making a application in Webdynpro for uploading an excel file to the server. Can someone give me a demo application so that I can run it and see whether my server is configured or not. Also I have made the application right now and have coded the need full. But when I select a file and say submit it shows me a page not found error. Currently I am working round the clock on my project and am stuck up here. Its very urgent can any body help please with an example or a demo application.
    Regards Gaurav

    Hi,
      Check whether in server, MultipartBodyParameterName property is set to "com.sap.servlet.multipart.body" . You can check this by going to Visual Admin -> Cluster tab -> Services -> web container -> Properties sheet.
    Do assign points if i answered your question.
    Regards
    Vasu

  • J2me multipart file upload-  Help Needed

    package com.mpbx;
    import javax.microedition.midlet.*;
    import javax.microedition.lcdui.*;
    import javax.microedition.io.*;
    import java.io.*;
    public class PostFile extends MIDlet implements Runnable, CommandListener{
        private final String FILE = "/image.jpg";
        private final String URL = "http://localhost/post.php"; // change this to a valit page.
        private final String CrLf = "\r\n";
        private Form form = null;
        private Gauge gauge = null;
        private Command exitCommand;
        private Command uploadCommand;
        public PostFile(){
            form = new Form("Upload File");
            gauge = new Gauge("Progress:", true, 100, 0);
            form.append(gauge);
            exitCommand = new Command("Exit", Command.EXIT, 0);
            uploadCommand = new Command("Upload", Command.SCREEN, 0);
            form.addCommand(exitCommand);
            form.addCommand(uploadCommand);
            form.setCommandListener(this);
        public void startApp() {
            Display.getDisplay(this).setCurrent(form);
        public void pauseApp() {
        public void destroyApp(boolean unconditional) {
        private void progress(int total, int current){
            int percent = (int) (100 * ((float)current/(float)total));
            gauge.setValue(percent);
        public void run() {
            httpConn();
        private void httpConn(){
            HttpConnection conn = null;
            OutputStream os = null;
            InputStream is = null;
            try{
                System.out.println("url:" + URL);
                conn = (HttpConnection)Connector.open(URL);
                conn.setRequestMethod(HttpConnection.POST);
                String postData = "";
                InputStream imgIs = getClass().getResourceAsStream(FILE);
            byte []imgData = new byte[imgIs.available()];
               imgIs.read(imgData);
                String message1 = "";
                message1 += "-----------------------------4664151417711" + CrLf;
                message1 += "Content-Disposition: form-data; name=\"uploadedfile\"; filename=\"" + FILE + "\"" + CrLf;
                message1 += "Content-Type: image/jpeg" + CrLf;
                message1 += CrLf;
                // the image is sent between the messages ni the multipart message.
                String message2 = "";
                message2 += CrLf + "-----------------------------4664151417711--" + CrLf;              
                conn.setRequestProperty("Content-Type", "multipart/form-data; boundary=---------------------------4664151417711");
                // might not need to specify the content-length when sending chunked data.
                // conn.setRequestProperty("Content-Length", String.valueOf((message1.length() + message2.length() + imgData.length)));
                System.out.println("open os");
                os = conn.openOutputStream();
                System.out.println(message1);
                os.write(message1.getBytes());
                // SEND THE IMAGE
                int index = 0;
                int size = 1024;
                do{
                    System.out.println("write:" + index);
                    if((index+size)>imgData.length){
                        size = imgData.length - index;
                    os.write(imgData, index, size);
                    index+=size;
                    progress(imgData.length, index); // update the progress bar.
                }while(index<imgData.length);
                System.out.println("written:" + index);           
                System.out.println(message2);
                os.write(message2.getBytes());
                os.flush();
                System.out.println("open is");
                is = conn.openInputStream();
                char buff = 512;
                int len;
                byte []data = new byte[buff];
                do{
                    System.out.println("READ");
                    len = is.read(data);
                    if(len > 0){
                        System.out.println(new String(data, 0, len));
                }while(len>0);
                System.out.println("DONE");
            }catch(Exception e){
                e.printStackTrace();
            }finally{
                System.out.println("Close connection");
                try{
                    os.close();
                }catch(Exception e){}
                try{
                    is.close();
                }catch(Exception e){}
                try{
                    conn.close();           
                }catch(Exception e){}
        public void commandAction(javax.microedition.lcdui.Command command, javax.microedition.lcdui.Displayable displayable) {
            if(command == exitCommand){
                this.notifyDestroyed();
            }else if(command == uploadCommand){
                new Thread(this).start();
    }Running this yields the error below...Can someone suggest me. whats the problem.
    url:http://localhost/post.php
    java.lang.NullPointerException
            at com.mpbx.PostFile.httpConn(PostFile.java:85)
            at com.mpbx.PostFile.run(PostFile.java:68)
    Close connection

    I also faced the same problem. To make this code work you will have to include the image.jpg in the jar. To do that, copy the image file in the src directory inside your project folder (if you are using netbeans) and then build the project.
    Remember, the web server should be running in background.

  • Pure ASP Upload help needed...

    Trying to create simple upload page...
    But nothing seems to be happening
    Can anyone offer suggestions on what to check?
    I created 2 pages...
    Page #1 = Simple form with 3 fields title, file upload and
    page
    Page #2 = simple thank you message to confirm upload
    Im sure its something simple... but when i click on Submit
    nothing happens..
    its like nothing is executing the upload...
    I have checked the permissions on the scriptslibrary, the
    upload folder
    where the files will be placed and they are set to same
    read/write/ execute
    Below is the code on the page with the upload option:
    <%@LANGUAGE="VBSCRIPT" CODEPAGE="1252"%>
    <!--#include virtual="/Connections/webuplo.asp" -->
    <!--#include virtual="/ScriptLibrary/incPU3Class.asp"
    -->
    <!--#include virtual="/ScriptLibrary/incPU3Utils.asp"
    -->
    <%
    '*** Pure ASP File Upload 3.0.9
    ' Process form form1
    Dim pau, DMX_uploadAction, UploadRequest, UploadQueryString,
    pau_thePath,
    pau_nameConflict, pau_saveWidth, pau_saveHeight
    Set pau = new PureUpload
    pau.ScriptLibrary = "/ScriptLibrary"
    pau.TimeOut = 500
    pau.ConflictHandling = "over"
    pau.StoreType = "path"
    pau.UploadFolder = """../vendor_compliance"""
    pau.Required = true
    pau.AllowedExtensions = "DOC,PDF" ' "custom"
    pau.ProcessUpload
    pau.SaveAll
    %>
    <%
    Dim MM_editAction
    MM_editAction = CStr(Request.ServerVariables("SCRIPT_NAME"))
    If (UploadQueryString <> "") Then
    MM_editAction = MM_editAction & "?" &
    Server.HTMLEncode(UploadQueryString)
    End If
    ' boolean to abort record edit
    Dim MM_abortEdit
    MM_abortEdit = false
    %>
    <%
    If (CStr(UploadFormRequest("MM_insert")) = "form1") Then
    If (Not MM_abortEdit) Then
    ' execute the insert
    Dim MM_editCmd
    Set MM_editCmd = Server.CreateObject ("ADODB.Command")
    MM_editCmd.ActiveConnection = MM_webuplo_STRING
    MM_editCmd.CommandText = "INSERT INTO dbo.tbl_docs
    (linktitle,
    uploadfile, displaypage) VALUES (?, ?, ?)"
    MM_editCmd.Prepared = true
    MM_editCmd.Parameters.Append
    MM_editCmd.CreateParameter("param1", 201,
    1, 50, UploadFormRequest("linktitle")) ' adLongVarChar
    MM_editCmd.Parameters.Append
    MM_editCmd.CreateParameter("param2", 201,
    1, 100, UploadFormRequest("uploadfile")) ' adLongVarChar
    MM_editCmd.Parameters.Append
    MM_editCmd.CreateParameter("param3", 201,
    1, 5, UploadFormRequest("displaypage")) ' adLongVarChar
    MM_editCmd.Execute
    MM_editCmd.ActiveConnection.Close
    ' append the query string to the redirect URL
    Dim MM_editRedirectUrl
    MM_editRedirectUrl = "/admin_new/insert_docu_com.asp"
    If (UploadQueryString <> "") Then
    If (InStr(1, MM_editRedirectUrl, "?", vbTextCompare) = 0)
    Then
    MM_editRedirectUrl = MM_editRedirectUrl & "?" &
    UploadQueryString
    Else
    MM_editRedirectUrl = MM_editRedirectUrl & "&" &
    UploadQueryString
    End If
    End If
    Response.Redirect(MM_editRedirectUrl)
    End If
    End If
    %><!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0
    Transitional//EN"
    http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
    <html xmlns="
    http://www.w3.org/1999/xhtml">
    <head>
    <title>Upload Documents</title>
    <meta http-equiv="Content-Type" content="text/html;
    charset=iso-8859-1" />
    <script
    type="text/javascript"><%=pau.generateScriptCode()%></script>
    <script src="/ScriptLibrary/incPU3.js"
    type="text/javascript"></script>
    </head>
    <body bgcolor="#FFFFFF">
    <form ACTION="<%=MM_editAction%>" METHOD="post"
    enctype="multipart/form-data" name="form1" id="form1"
    onsubmit="<%=pau.submitCode()%>;return
    document.MM_returnValue">
    <label>Title<input name="linktitle" type="text"
    id="linktitle" size="40"
    /></label>
    <br>
    <label>Upload<input name="uploadfile" type="file"
    id="uploadfile"
    onchange="<%=pau.validateCode()%>;return
    document.MM_returnValue" size="40"
    /></label>
    <br>
    <label>Display Page
    <select name="displaypage" id="displaypage">
    <option>Please select a Page</option>
    <option value="vc">Vendor Compliance</option>
    <option value="n">News</option>
    </select>
    </label>
    ( Select page to be displayed on ) <br>
    <input name="Submit" type="button" id="Submit"
    value="Upload" />
    <input type="hidden" name="MM_insert" value="form1">
    </form>
    </body>
    </html>
    ASP, SQL2005, DW8 VBScript

    Not sure what or why this is happening.. or if its now
    related to IE7,
    But after all the problems i had and corrected below.. i now
    have the same
    problem and this time all the code seems to look ok..
    All i did was add 4 more fields of data to be collected, made
    sure that the
    insert record behavior reflects the new fields and everything
    is ok.. but
    using IE7 when i complete the form and hit update, the page
    post back saying
    i have incomplete data and nothing is written to the
    database.
    ASP, SQL2005, DW8 VBScript
    "Daniel" <[email protected]> wrote in message
    news:[email protected]...
    >I really appreciate everyones help.. i went thru and
    compared line by line
    >with the one that worked and the one that wasnt and it
    was a simple code
    >error...
    >
    > On the page that works: this is how the submit was
    coded...
    > <input type="submit" name="Submit" value="Submit"
    />
    >
    > On the page that didnt work it was coded like this:
    > <input name="Submit" type="button" id="Submit"
    value="Upload" />
    >
    > Apparently there is an order to this.. i ordered
    everything the same and
    > it finally worked...
    >
    >
    > --
    > ASP, SQL2005, DW8 VBScript
    > "Daniel" <[email protected]> wrote in message
    > news:[email protected]...
    >> Trying to create simple upload page...
    >>
    >> But nothing seems to be happening
    >>
    >> Can anyone offer suggestions on what to check?
    >>
    >> I created 2 pages...
    >> Page #1 = Simple form with 3 fields title, file
    upload and page
    >> Page #2 = simple thank you message to confirm upload
    >>
    >> Im sure its something simple... but when i click on
    Submit nothing
    >> happens.. its like nothing is executing the
    upload...
    >> I have checked the permissions on the
    scriptslibrary, the upload folder
    >> where the files will be placed and they are set to
    same read/write/
    >> execute
    >>
    >> Below is the code on the page with the upload
    option:
    >>
    >> <%@LANGUAGE="VBSCRIPT" CODEPAGE="1252"%>
    >> <!--#include virtual="/Connections/webuplo.asp"
    -->
    >> <!--#include
    virtual="/ScriptLibrary/incPU3Class.asp" -->
    >> <!--#include
    virtual="/ScriptLibrary/incPU3Utils.asp" -->
    >> <%
    >> '*** Pure ASP File Upload 3.0.9
    >> ' Process form form1
    >> Dim pau, DMX_uploadAction, UploadRequest,
    UploadQueryString, pau_thePath,
    >> pau_nameConflict, pau_saveWidth, pau_saveHeight
    >> Set pau = new PureUpload
    >> pau.ScriptLibrary = "/ScriptLibrary"
    >> pau.TimeOut = 500
    >> pau.ConflictHandling = "over"
    >> pau.StoreType = "path"
    >> pau.UploadFolder = """../vendor_compliance"""
    >> pau.Required = true
    >> pau.AllowedExtensions = "DOC,PDF" ' "custom"
    >> pau.ProcessUpload
    >> pau.SaveAll
    >> %>
    >> <%
    >> Dim MM_editAction
    >> MM_editAction =
    CStr(Request.ServerVariables("SCRIPT_NAME"))
    >> If (UploadQueryString <> "") Then
    >> MM_editAction = MM_editAction & "?" &
    >> Server.HTMLEncode(UploadQueryString)
    >> End If
    >>
    >> ' boolean to abort record edit
    >> Dim MM_abortEdit
    >> MM_abortEdit = false
    >> %>
    >> <%
    >> If (CStr(UploadFormRequest("MM_insert")) = "form1")
    Then
    >> If (Not MM_abortEdit) Then
    >> ' execute the insert
    >> Dim MM_editCmd
    >>
    >> Set MM_editCmd = Server.CreateObject
    ("ADODB.Command")
    >> MM_editCmd.ActiveConnection = MM_webuplo_STRING
    >> MM_editCmd.CommandText = "INSERT INTO dbo.tbl_docs
    (linktitle,
    >> uploadfile, displaypage) VALUES (?, ?, ?)"
    >> MM_editCmd.Prepared = true
    >> MM_editCmd.Parameters.Append
    MM_editCmd.CreateParameter("param1", 201,
    >> 1, 50, UploadFormRequest("linktitle")) '
    adLongVarChar
    >> MM_editCmd.Parameters.Append
    MM_editCmd.CreateParameter("param2", 201,
    >> 1, 100, UploadFormRequest("uploadfile")) '
    adLongVarChar
    >> MM_editCmd.Parameters.Append
    MM_editCmd.CreateParameter("param3", 201,
    >> 1, 5, UploadFormRequest("displaypage")) '
    adLongVarChar
    >> MM_editCmd.Execute
    >> MM_editCmd.ActiveConnection.Close
    >>
    >> ' append the query string to the redirect URL
    >> Dim MM_editRedirectUrl
    >> MM_editRedirectUrl =
    "/admin_new/insert_docu_com.asp"
    >> If (UploadQueryString <> "") Then
    >> If (InStr(1, MM_editRedirectUrl, "?", vbTextCompare)
    = 0) Then
    >> MM_editRedirectUrl = MM_editRedirectUrl & "?"
    & UploadQueryString
    >> Else
    >> MM_editRedirectUrl = MM_editRedirectUrl &
    "&" & UploadQueryString
    >> End If
    >> End If
    >> Response.Redirect(MM_editRedirectUrl)
    >> End If
    >> End If
    >> %><!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0
    Transitional//EN"
    >> "
    http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
    >> <html xmlns="
    http://www.w3.org/1999/xhtml">
    >> <head>
    >> <title>Upload Documents</title>
    >> <meta http-equiv="Content-Type"
    content="text/html; charset=iso-8859-1"
    >> />
    >> <script
    type="text/javascript"><%=pau.generateScriptCode()%></script>
    >> <script src="/ScriptLibrary/incPU3.js"
    type="text/javascript"></script>
    >> </head>
    >> <body bgcolor="#FFFFFF">
    >> <form ACTION="<%=MM_editAction%>"
    METHOD="post"
    >> enctype="multipart/form-data" name="form1"
    id="form1"
    >> onsubmit="<%=pau.submitCode()%>;return
    document.MM_returnValue">
    >> <label>Title<input name="linktitle"
    type="text" id="linktitle"
    >> size="40" /></label>
    >> <br>
    >> <label>Upload<input name="uploadfile"
    type="file" id="uploadfile"
    >> onchange="<%=pau.validateCode()%>;return
    document.MM_returnValue"
    >> size="40" /></label>
    >> <br>
    >> <label>Display Page
    >> <select name="displaypage" id="displaypage">
    >> <option>Please select a Page</option>
    >> <option value="vc">Vendor
    Compliance</option>
    >> <option value="n">News</option>
    >> </select>
    >> </label>
    >> ( Select page to be displayed on ) <br>
    >> <input name="Submit" type="button" id="Submit"
    value="Upload" />
    >> <input type="hidden" name="MM_insert"
    value="form1">
    >> </form>
    >> </body>
    >> </html>
    >>
    >> --
    >> ASP, SQL2005, DW8 VBScript
    >>
    >
    >

  • Software Upload Help Needed!

    I purchased Adobe Creative Suite (DVD package). I now have a new MAC that doesn't have a CD drive. How do I get my software loaded on my new computer?  I paid a significant amount of money on this software so I need help!!!!

    Please download the setup again from Internet and keep a copy of it for future use.
    http://helpx.adobe.com/x-productkb/policy-pricing/cs6-product-downloads.html
    Follow the onscreen instructions to install
    When prompted for a serial number, enter your serial number and complete the installation.
    Regards,
    Ashutosh

  • Photo Booth Help Needed!

    Please Help!!
    I can't open Photo Booth anymore. I don't know why or how to fix the problem. When I try to open Photo Booth I get an error message:
    "Photo Booth cannot open because no camera is attached or the camera is in use by another application. Make sure your digital video camera is properly attached and turned on. If you are using the camera with another application, close that application before tryint to open Photo Booth again."
    I am 100% sure I am not using any other application. I tried to restart the computer and open Photo Booth before anything else and I still got that error message. I don't know what to do!
    I have a MacBook so the camera is built in.
    Any help would be really appreciated!

    Hi, bbYdLL. Your problem has nothing at all to do with iPhoto, least of all with iPhoto 4 and earlier. Try reposting your question in the Using Tiger discussion forum. Good luck!

  • 60G IPod Photo Deleting Help Needed

    I have deleted all but 4 pics from my IPhoto and want to delete ALL of them from my IPod. I've looked everywhere for help on deleting pics from my IPod but can't find anything anywhere. Someone?

    Lipstick,
    Do you want to format the iPod? you can do so with disk utility (Apllications>Utilities>Disk Utility). Otherwise, I would use an iPod updater and do a restore which is almost a format.
    hope this helps.

  • Ripping a Photo Effect - help needed

    I have a picture of two people. The effect I want to create is if you grabbed the top of the photo with both hands and started pulling it apart, with it ripping down the middle and the top pieces pulled apart, but still connected at the bottom.
    Is there a plugin capable of doing this or can someone explain to me how to do this?
    Thanks

    I think there are some actions on the Adobe Exchange (http://www.adobe.com/cfusion/exchange/index.cfm) for effects like this but the best way to get exactly what you want is to do what D.Fosse said.

  • TS3989 Photo Stream help needed,Please

    I have been using Photo Stream for some time now and love it, but lately when I go ino my iPhoto I notice that my photo stream is turned off everytime.  How do I get Photo Stream to stay on?  I have read everything online and reset Photo Stream and done everything but it still happens.  I would greatly appreciate any advice to solve this problem.  Thanks   Nancy

    I'm experiencing th same on my iPad 1.
    I have tried turning off photo stream on all devices and turning them back on but the images synced is not the full library on the iPad. The PC and iPhone 4s get the correct, full library.

  • Help needed with header and upload onto business catalyst

    Can someone help with a problem over a header please?
    I have inserted a rectangle with a jpeg image in  background, in the 'header' section, underneath the menu. It comes up fine on most pages when previsualised, going right to the side of the screen, but stops just before the edge on certain pages. I have double checked that I have placed it in the right place in relation to the guides on the page.
    That's one problem.
    The second problem is that I tried to upload onto business catalyst, which got to 60% and refused to go any further, saying it couldn't find the header picture, giving the title and then u4833-3.fr.png. The picture is in the right folder I have double checked. And it isn't a png. Does it have to be ?
    And the third problem is that I got an email following my upload from business catalyst in Swedish. I am living in France.
    Can anyone help ? Thanks.

    Thanks for replying,
    How can I check the preview in other browsers before I publish a provisional site with BC?
    The rectangle width issue happens on certain pages but not others. The Welecom page is fine when the menu is active, also the contact page, but others are slightly too narrow. Changing the menu spacing doesn’t help - I was already on uniform but tried changing to regular and back.
    In design mode the rectangle is set to the edge of the browser, that’s 100%browser width right?
    Re BC I have about 200 images on 24 different pages and it seems to be having difficulty uploading some of them. But it has managed a couple I named with spaces but not others I named with just one name.
    Is there an issue on size of pictures ? If I need to replace is there a quick way to rename and relink or do I have to insert the photos all over again?
    I’m a novice with Muse with an ambitious site !
    Thanks for your help.
    Mary Featherstone
    Envoyé depuis Courrier Windows
    De : Sanjit_Das
    Envoyé : vendredi 14 février 2014 22:15
    À : MFeatherstone
    Re: Help needed with header and upload onto business catalyst
    created by Sanjit_Das in Help with using Adobe Muse CC - View the full discussion 
    Hi
    Answering the questions :
    - Have you checked the preview in Muse and also in other browsers ?
    - Does the rectangle width issue happens when menu is active , or in any specific state , Try to change the menu with uniform spacing and then check.
    - In design view the rectangle is set to 100% browser width ?
    With publishing :
    - Please try to rename the image file and then relink
    - If it happens with other images as well , see if all the image names includes strange characters or spaces.
    - Try again to publish
    With e-mail from BC :
    - Under preferences , please check the country selected.
    - If you have previously created partner account in BC and selected country and language then it would follow that, please check that.
    Thanks,
    Sanjit
    Please note that the Adobe Forums do not accept email attachments. If you want to embed a screen image in your message please visit the thread in the forum to embed the image at http://forums.adobe.com/message/6121942#6121942
    Replies to this message go to everyone subscribed to this thread, not directly to the person who posted the message. To post a reply, either reply to this email or visit the message page: http://forums.adobe.com/message/6121942#6121942
    To unsubscribe from this thread, please visit the message page at http://forums.adobe.com/message/6121942#6121942. In the Actions box on the right, click the Stop Email Notifications link.
    Start a new discussion in Help with using Adobe Muse CC at Adobe Community
    For more information about maintaining your forum email notifications please go to http://forums.adobe.com/thread/416458?tstart=0.

  • URGENT :Photo Upload automation : help required

    Hi Experts,
    I need your help in my program which require executing DOS command from SAP ECC 6.0.
    The requirement is "to make an automated SAP program workable with ECC 6.0 which will able to execute DOS command Dir *.jpg -> photo.txt to create a File ‘Photo.txt’, Then I need to upload this file automatically into SAP Internal table for further processing" that will lead to photo upload (this part is already done by me).
    I am not sure if someone has done some similar things in past if yes kindly guide how to do this.
    best Regards,
    Rahul
    null

    Hi Rahul
    Firstly you need to create an archive to store the pictures. Then
    Goto SM30 or SM31.
    Enter the Table/view name as TOAAR_C.
    Click on New Entries.
    Give StSym  as 'A2'.
    Give a description ..
    In Arch. Path enter as  /.
    Select the radio button 'File store'.
    Save the entry.
    You can view the photo through PA20/PA30/PA40 for each employee.
    For this you have to add an entry in Table T588J for your header
    modification.
    The field type of this entry should be 'PIC'.
    Then you have to run the report RPHDYNPG for generating the screen
    header.
    After the initial configuration as described above,
    for uploading the Photo
    Go to Tcode OAAD -> Create
         Business Object : PREL
         Document Type   : HRICOLFOTO
    Click on Create.
    System will ask for personnel no  and path of Photo
    If you need detailed step by step procedure, do let us know. If you need a useful code to carry out this, do let me know with your email ID

  • Urgent help needed - new to Macs, accidently cut and paste over top of photo folder and now no sign of folder or file, no auto back-up in place, how can I restore photos pls

    Urgent help needed - new to Macs, accidently cut and paste over top of photo folder and now no sign of folder or file, no auto back-up in place, how can I restore photos pls

    Thanks for prompt reply, yes we have tried that but have now closed down the browser we where the photos were.
    We haven't sent up time machine, do you know whether there is any roll-back function on a Mac?
    Thanks

  • IPhone 4 reset itself, photos lost -URGENT HELP NEEDED

    Hi there,
    Urgent help needed!!
    Tonight I was taking extremely important photos throughout an event on my iPhone 4, however, my iPhone 4 ran out of battery once I was near a charger I plugged it in and for some reason my iPhone had reset itself. Back up icloud options were from yesterday, but the photos that I was taking at the event are needed urgently. Is there any way possible I can recover the photos that were taken?
    Thanks in advance!!!!

    Slymm71 wrote:
    just had similar problem got email from find my phone saying initiating full phone wipe this cannot be stopped ***? i own the phone from new and registerred in m name but wiped whilst i was using it !!!
    See your other post... 
    https://discussions.apple.com/message/18876037#18876037

Maybe you are looking for

  • How do I replace the frame from the monitor on my GX740?

    Problem: When I move the hinges on my laptop, sometimes the screen goes black until I move it into a different position, like the light disconnects (in fact, I'm pretty sure that's exactly what happens, as I can still see some stuff on the screen; it

  • How can I tell if my 2008 Macbook is dying?

    I have a Macbook that was purchased in August of 2008. I have replaced my battery once. However, now it will say not charging, even if it sometimes does charge. My airport will shut off automatically if my computer sits idle for a few minutes and res

  • The finger print scanner doesn't work 90% of the time please help! I have tried everything.

    Dose any one else have problems with the iPhone 5s finger print scanner?? I've tried rescanning, different fingers, scanning different ways. But 95% of the time it just won't work. It is soooo frustring!! I would have saved a bunch of $ and bought a

  • Install on 2 Different Macs?

    Is it ok to install one Retail version of FCE 4 on 2 separate Macs? I use 2 to accomplish many tasks, sometimes multi-tasking, and they are connected via a home LAN. Do I need to Register one, and then the other will just work fine. I got I could not

  • Change field for an invoicedocument item (MM)

    Hello, Is there a way (function module for instance) to change an item, in particular to change the field SGTXT (field DRSEG-SGTXT) of an invoicedocument made in MM (transaction MIRO or MIR7). For the specific group who will want to change this field