WDA + AIF : Get modified PDF source (XSTRING) after user input

Hi guys,
I have this problem.
I have an online adobe interactive form (ZCI layout) with fillable and dynamic attributes sets to 'X'.
The interface is type "Dictionary Based" (not XML).
I've created a wda that calls standard ADS function modules (FP_JOB_OPEN, generated function modules, FB_JOB_CLOSE) to get the xtring of this Form. Then i bind the xstring returned by generated function module in order to show it in a view (that contains an AIF element). Now the user can insert values in input-ready fields.
When the user close the window, i'd like to read the whole (result) xstring of the pdf, filled with the user input.
But when i read the context attached of the pdf (called pdfsource) after user input, it contains only the pdf source, but not the user's input also. The result should be a merge of pdfsource and userdata, in order to save the xstring in a specific path (after conversion).
Is there a way to solve this problem ??
Thank a lot for your help and hints
Andrea

Please,
no one may help me with this task?
Just know if it is possible do something like my request, or not.
I've alredy search in old posts also, but nothig was found.
Thanks a lot
Andrea

Similar Messages

  • How to Format DataGridView Cells after user input, also find average of Timespans

    I'm a rather new to programming and slowly learning as best I can, and feel that I'm probably just getting hung up on some things because of my lack of overall understanding.  I've searched plenty online and these forums to figure out my issues, but
    somethings just go over my head or I can't figure out how to make it work for what I'm trying to do.
    On to what I'm trying to do.
    I'm working on building an app for scoring swim meets for our conference.  I'm using a lcal SQL DB for all of the data and have a DGV on my form.  We don't have timing systems so we take 2 times from stop watches and then need to do an average
    of the times to determine a swimmers time.  I have 3 fields for times, Time1, Time2 and AvgTime.
    What I'm needing help with is how do I allow the user to not worry about formatting the time they enter but have it automatically format what they input after they exit the cell on Time1 and Time2.  Then I need to have it figure out the average of those
    two times in AvgTime cell.  I'm able to get the averaging to work if I have the datatype set to decimal or int, but I can't get it to work if I have them set has TimeSpan.
    Below is the code I have currently.  As you can see I've got things commented out that I found online but couldn't make work.
    Thanks for taking the time to review this and help me out.
    Public Class EventScoring
    Private Sub EventScoring_Load(sender As Object, e As EventArgs) Handles MyBase.Load
    'TODO: This line of code loads data into the 'MeetDataSet.DualLineup' table. You can move, or remove it, as needed.
    Me.DualLineupTableAdapter.Fill(Me.MeetDataSet.DualLineup)
    'TODO: This line of code loads data into the 'MeetDataSet.EventList' table. You can move, or remove it, as needed.
    Me.EventListTableAdapter.Fill(Me.MeetDataSet.EventList)
    'DualLineupDataGridView.Columns(5).DefaultCellStyle.Format = ("mm\:ss\.ff")
    MeetDataSet.DualLineup.Columns("AvgTime").Expression = "(([Time1] + [Time2]) /2)"
    End Sub
    Private Sub Sub_Btn_Click(ByVal sender As Object, ByVal e As EventArgs) Handles Sub_Btn.Click
    Try
    Me.Validate()
    Me.DualLineupBindingSource.EndEdit()
    Me.DualLineupTableAdapter.Update(Me.MeetDataSet.DualLineup)
    MsgBox("Update successful")
    Catch ex As Exception
    MsgBox("Update failed")
    End Try
    End Sub
    'Private Sub DualLineupDataGridView_CellFormatting(ByVal sender As Object, ByVal e As DataGridViewCellFormattingEventArgs) Handles DualLineupDataGridView.CellFormatting
    ' If ((e.ColumnIndex = 5) AndAlso (Not IsDBNull(e.Value))) Then
    ' Dim tp As TimeSpan = CType(e.Value, TimeSpan)
    ' Dim dt As DateTime = New DateTime(tp.Ticks)
    ' e.Value = dt.ToString("mm\:ss\.ff")
    ' End If
    'End Sub
    'Private Sub DualLineupDataGridView_CurrentCellDirtyStateChanged(ByVal sender As Object, ByVal e As DataGridViewCellFormattingEventArgs) Handles DualLineupDataGridView.CurrentCellDirtyStateChanged
    ' If ((e.ColumnIndex = 5) AndAlso (Not IsDBNull(e.Value))) Then
    ' Dim tp As TimeSpan = CType(e.Value, TimeSpan)
    ' Dim dt As DateTime = New DateTime(tp.Ticks)
    ' e.Value = dt.ToString("mm\:ss\.ff")
    ' End If
    'End Sub
    End Class

    AB,
    If you're ok with your database other than working out this issue with time, you might want to give the following a try. It's pretty flexible in that you can give it a string or a decimal, and I'll explain:
    The string can be in the format of "mm:ss" (minutes and seconds) or in the format of "mm:ss:f~".
    The reason that I put the tilda there is because you're not limited on the number of decimal places - it will work out the math to figure out what you meant.
    Also though, you can give it a decimal value representing the total number of seconds. Do be sure to clearly denote that it's a decimal type (otherwise it will assume it's a double and will fail). Here's the class:
    Public Class SwimmerTime
    Private _totalSeconds As Decimal
    Public Sub New(ByVal value As Object)
    Try
    Dim tSeconds As Decimal = 0
    If TypeOf value Is String Then
    Dim s As String = CType(value, String)
    If Not s.Contains(":"c) Then
    Throw New ArgumentException("The string is malformed and cannot be used.")
    Else
    Dim elements() As String = s.Split(":"c)
    For Each element As String In elements
    If Not Integer.TryParse(element, New Integer) Then
    Throw New ArgumentException("The string is malformed and cannot be used.")
    End If
    Next
    If elements.Length = 2 Then
    tSeconds = (60 * CInt(elements(0)) + CInt(elements(1)))
    ElseIf elements.Length = 3 Then
    tSeconds = (60 * CInt(elements(0)) + CInt(elements(1)))
    Dim divideByString As String = "1"
    For Each c As Char In elements(2)
    divideByString &= "0"
    Next
    tSeconds += CDec(elements(2)) / CInt(divideByString)
    Else
    Throw New ArgumentException("The string is malformed and cannot be used.")
    End If
    End If
    ElseIf TypeOf value Is Decimal Then
    Dim d As Decimal = DirectCast(value, Decimal)
    tSeconds = d
    Else
    Throw New ArgumentException("The type was not recognizable and cannot be used.")
    End If
    If tSeconds = 0 Then
    Throw New ArgumentOutOfRangeException("Total Seconds", "Must be greater than zero.")
    Else
    _totalSeconds = tSeconds
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Public Shared Function GetAverage(ByVal value1 As Object, _
    ByVal value2 As Object) As SwimmerTime
    Dim retVal As SwimmerTime = Nothing
    Try
    Dim st1 As SwimmerTime = New SwimmerTime(value1)
    Dim st2 As SwimmerTime = New SwimmerTime(value2)
    If st1 IsNot Nothing AndAlso st2 IsNot Nothing Then
    Dim tempList As New List(Of Decimal)
    With tempList
    .Add(st1.TotalSeconds)
    .Add(st2.TotalSeconds)
    End With
    Dim averageSeconds As Decimal = tempList.Average
    retVal = New SwimmerTime(averageSeconds)
    End If
    Catch ex As Exception
    Throw
    End Try
    Return retVal
    End Function
    Public ReadOnly Property FormattedString As String
    Get
    Dim ts As TimeSpan = TimeSpan.FromSeconds(_totalSeconds)
    Return String.Format("{0:00}:{1:00}:{2:000}", _
    ts.Minutes, _
    ts.Seconds, _
    ts.Milliseconds)
    End Get
    End Property
    Public ReadOnly Property TotalSeconds As Decimal
    Get
    Return _totalSeconds
    End Get
    End Property
    End Class
    I'll show how to use it by example:
    Option Strict On
    Option Explicit On
    Option Infer Off
    Public Class Form1
    Private Sub Form1_Load(ByVal sender As System.Object, _
    ByVal e As System.EventArgs) _
    Handles MyBase.Load
    Try
    Dim averageSwimmerTime As SwimmerTime = _
    SwimmerTime.GetAverage("02:24:05", 145.3274D)
    MessageBox.Show(String.Format("Formatted String: {0}{1}Actual Value: {2}", _
    averageSwimmerTime.FormattedString, vbCrLf, _
    averageSwimmerTime.TotalSeconds), _
    "Average Swimmer Time")
    Stop
    Catch ex As Exception
    MessageBox.Show(String.Format("An error occurred:{0}{0}{1}", _
    vbCrLf, ex.Message), "Program Error", _
    MessageBoxButtons.OK, MessageBoxIcon.Warning)
    End Try
    Stop
    End Sub
    End Class
    An advantage here is that since it returns an instance of the class, you have access to the formatted string, and the actual decimal value.
    I hope you find this helpful. :)
    Still lost in code, just at a little higher level.

  • Customising a pdf form with online user input?

    I've designed a breast cancer pamphlet and saved it as a pdf.
    I'm looking for a way that web users can customise the headline, or add their contact info to the pamphlet.
    Then, after they have personalised the pdf, it is saved as a new pdf for them to download and print at a high quality.
    I also have my site built with Wordpress, so if there's a wp plugin out there, that would be helpful.
    Any ideas how a graphic designer could make this happen?
    Thanks!
    worldwidebreastcancer.com

    > it is saved as a new pdf
    This will really be your limitation. If your end users have a full version of Acrobat Standard or Professional, no problem. But since I assume most would only have the free Adobe Reader, in order for them to save the form it would have to be Reader Extended and that would require that you have an Adobe LiveCycle Reader Extensions Server.
    There is an option in Acrobat Professional to apply extended usage rights to the document, but in the EULA it clearly states this is limited to 500 uses of the form - so unless you can physically limit access to your form to 500 people or less, total, ever, that will not be an option for you since going over 500 would be a violation of your licensing agreement.

  • How can I manipulate a parameter value after user input

    Post Author: fsu304
    CA Forum: Crystal Reports
    I have a parameter that is used in my sql command and I want to be able to change the value of it if it reach a certian criteria.  For example the user enters the string "FDT" i want to change the parameter to equal "7" before it gets sent to the database to gather the records.  How can I accomplish this??
    Any help would be awesome.
    Heath

    Post Author: yangster
    CA Forum: Crystal Reports
    the easiest way to achieve this would be to create a lookup table that represents the value you have entered to mean something else in your primary selectionso your table would be a simple value, descriptionthe parameter the user enters 'FDT' = 7 in the table, it is then joined back to your initial queary and will only return you results for 7you can't create if statements with a commandand you cannot use a case statement with a parameterthe other alternative would be to write a procedure that takes in your value and converts it then runs your sql

  • I GET AN ERROR WHEN CHECKING FOR USER INPUT VALIDATION

    if (choiceBrand.length()==0)
    System.out.println("No selection was made, " );
    System.out.println("We will price the Frigidaire.");
    I GET THIS ERROR
    Green_1.java:55: char cannot be dereferenced
                   if (choiceBrand.length()==0)
                   ^

    abillconsl wrote:
    warnerja wrote:
    abillconsl wrote:
    mgreen0804 wrote:
    what i was trying to accomplish is to stop someone from just pushing enter instead of entering a characterDid you try: != null ... or != '\0000' ?Um, no. There's no way a char (primitive) can be null (first case), and they wouldn't want to test if the user actually entered a 'null' character (second case).Character c == null; if (c == null) System.out.println(c); ?That's not a primitive, and the version of System.out.println() being called is the one that takes an Object and calls toString(), printing "null" if the object is null.
    What is this supposed to show?

  • Widget to get drop down values based on user input query string

    Hi,
    I have a requirement, where in user types in some text and clicks on a search button. On button click, a drop down or some box appears which has result based on the input string (from json ). User can select one of the values in the drop down or box. User should be able to select values from drop down or box only.
    How can I achieve this. Is there any custom widget in CQ for this, or I have to write my own widget.
    Can i use SuggestField widget for this? if yes, please give some example for this widget.
    I want something similar to "authselection" widget. In case of authselection widget user names come from CQ, in this case user name will come from some other system using a CQ custom json.
    If user types "gopa" and click on search , i should be able to call a json with query parameter "gopa" & the result from the query will be in the drop down.
    Regards,
    Gopal

    Hi Gopal,
              Out of the box there are many example. You can look for siteadmin has a reference.
    Thanks,
    Sham

  • Getting a PDF in an xstring format in the ABAP environment

    I am trying to create a PDF in ABAP reusing the ADS/SFP functionality that I can send to XI without saving the pdf first to a file (i.e. Getting the PDF in an xstring format or similar that can be put into an XML structure).
    I've gone as far as to see that the class CL_FP_PDF_OBJECT appears to support returning an xstring; but does anyone have an example of how to work directly with this class or if there is a higher level class that can assist in this manner?
    Note - My aim is to be able to generate reports online plus using the same form, be able to send the file through XI to be stored in Documentum (file store).
    Regards,
    Matt

    Hi All,
      excuse me if I send you a new request, but I'm developing an interface by XI in order to create a XML with a TAG <spool> containing a PDF file of an invoice printform. I create a proxy that is called after the printform creation (by a standard smartforms) using the OTF data released from FORM_CLOSE w/o the spool generation (get_otf parameters set to 'X'). after I create a message mapping that compose the final XML and send it to receivers.
      My problem is related to the data type of my tag <spool>. my XSD schema output needs a xsd:based64Binary type. when I generated the proxy the system send a warning message ("The XSD type base64Binary does not exactly correspond to the ABAP type RAWSTRING  Message no. SPRX067). When the data is passed from proxy to XI, every 77 characters, system inserts a CR/LF.
      It's correct use a proxy?
      in order to convert the OTF data to the based64 string I used:
       CALL FUNCTION 'CONVERT_OTF_2_PDF'
        IMPORTING
          bin_filesize           = lv_numbytes
        TABLES
          otf                    = i_otfdata
          doctab_archive         = ls_doctab_archive
          lines                  = lt_line
    Funzione per codifica in base64
      CALL FUNCTION 'SSFC_BASE64_CODE'
        EXPORTING
          decode                       = ' '
          io_spec                      = 'T'
          ostr_input_data_l            = lv_numbytes
        TABLES
          ostr_input_data              = lt_line
          ostr_digested_data           = pdf_based64
        EXCEPTIONS
    thank you in advance,
    Mauro

  • I payed by a mistake, a new suscription to Adobe PDF convert, and after I payed my original suscription that was canceled in this moment. So, I payed twice, the first 24€ and the second 19€. I need you get me back my money.  Thanks.

    I payed by a mistake, a news suscription of my Adobe PDF converter, 24€, and after that I payed again for my old suscription that was canceles few days before, 19€.  So, I payed twice for the same suscription.  I ask you, please, get back my money.
    Fernando José Hernández Nodarse

    Thanks, Sara, for your atention.
    Fernando
    2014-12-10 2:58 GMT+01:00 Sara.Forsberg <[email protected]>:
        I payed by a mistake, a new suscription to Adobe PDF convert, and
    after I payed my original suscription that was canceled in this moment. So,
    I payed twice, the first 24€ and the second 19€. I need you get me back my
    money.  Thanks.  created by Sara.Forsberg
    <https://forums.adobe.com/people/Sara.Forsberg> in *Adobe Acrobat.com
    Services* - View the full discussion
    <https://forums.adobe.com/message/7001009#7001009>

  • After sync: Time gets modified

    Everytime I sync ipod touch with itunes(latest one) , the time on ipod gets modified and i have to reset it again.. It doesn't sync with the system time(vista os).. I have five world time configured on ipod touch..

    There are many people asking the same question on this Forum. You may see the solution at the following link:
    http://discussions.apple.com/thread.jspa?threadID=1276500&tstart=90

  • Print (modified) pdf from smartforms

    Hi all,
    I am totally stuck.
    I have a smartform which creates an OTF. The OTF is slightly adjusted and converted to pdf. No problem there.
    But now I want to send the modified PDF to a printer. All in the same smartform.
    (With smartform I actually mean the print program calling the smartform).
    I was actually looking for a simple statement but I am not able to find one.
    Can anyone help me out?
    Karin

    Hi Karin,
    here is my sample report. Of course you have to delete some, because you might not have a Form called z_testfh
    I cannot remember, but I copied parts of it, so if there is one out there, feel free to add a comment. I do not want the flowers of others in my hand
    Hope you get your issue solved.
    *& Report  ZFH_OTF_TO_PDF_TO_SPOOL
    REPORT  zfh_otf_to_pdf_to_spool.
    *& Declarations
    DATA : w_options LIKE itcpo ,
    it_otfdata TYPE STANDARD TABLE OF itcoo ,
    it_tlines TYPE STANDARD TABLE OF tline ,
    bin_filesize TYPE i ,
    bin_file TYPE xstring ,
    printer LIKE tsp01-rqdest VALUE '0079',
    append TYPE c VALUE 'X',
    doctype TYPE adsdoctype VALUE 'ADSP' ,
    adstype TYPE string,
    l_strlen TYPE i,
    l_strlen1 TYPE i,
    nopdf TYPE c,  "Testweise auf X
    globaldir(100),
    pathname(256),
    myfile TYPE string,
    handle LIKE sy-tabix,
    spoolid LIKE tsp01-rqident,
    partname TYPE adspart,
    filename TYPE file_name,
    pages TYPE i,
    size TYPE i.
    DATA: BEGIN OF datatab OCCURS 100,
    line(80) TYPE x,
    END OF datatab.
    PARAMETERS: pa_dest TYPE tsp01-rqdest DEFAULT '0210'.
    PARAMETERS: pa_dest2 TYPE tsp01-rqdest.
    PARAMETERS: pa_schr TYPE xfeld.
    PARAMETERS: pa_suff TYPE xfeld.
    *& Start of selection
    START-OF-SELECTION.
      w_options-tddest = pa_dest.
      printer = pa_dest2.
      w_options-tdgetotf = 'X'.
    *w_options-tddest = '0079'.
    *--Call the Script
      CALL FUNCTION 'OPEN_FORM'
        EXPORTING
          device  = 'PRINTER'
          dialog  = ' '
          form    = 'Z_TESTFH'                        "'ZFH_BARCODE_OTF'
          language = sy-langu
          OPTIONS = w_options.
    *CALL FUNCTION 'OPEN_FORM'
    *  EXPORTING
    *    form = 'ZFH_BARCODE_OTF'.
    IF pa_schr = 'X'.
      CALL FUNCTION 'WRITE_FORM'
        EXPORTING
          element = 'SCHRIFT'.
    ELSE.
      CALL FUNCTION 'WRITE_FORM'
        EXPORTING
          element = 'DUMMY'.
    ENDIF.
    **call function 'WRITE_FORM'
    **exporting
    *** element = '520'
    **function = 'SET'
    **type = 'BODY'
    **window = 'MAIN'.
    DATA: ITCPP type ITCPP.
      CALL FUNCTION 'CLOSE_FORM'
        IMPORTING
          result = ITCPP
        TABLES
          otfdata = it_otfdata.
    *--Convert from OTF to PDF format
    * bin_file needs to be XSTRING format.
      CALL FUNCTION 'CONVERT_OTF'
        EXPORTING
          format      = 'PDF'
          max_linewidth = 255
        IMPORTING
          bin_filesize = bin_filesize
          bin_file    = bin_file
        TABLES
          otf          = it_otfdata
          lines        = it_tlines.
    DATA: ls_tsp01 type tsp01.
    IF pa_suff is initial.
    ls_tsp01-RQ0NAME = 'NAME'.
    ls_tsp01-RQ1NAME = 'SUFFIX1'.
    ls_tsp01-RQ2NAME = 'SUFFIX2'.
    *ls_tsp01-COPIES
    *ls_tsp01-PRIO
    *ls_tsp01-IMMEDIATE_PRINT
    *ls_tsp01-AUTO_DELETE
    ls_tsp01-RQTITLE = 'Titleline'.
    CONCATENATE ls_tsp01-RQTITLE ' Zeit:' sy-uzeit into ls_tsp01-RQTITLE.
    *ls_tsp01-RECEIVER
    *ls_tsp01-DIVISION
    ELSE.
    ls_tsp01-RQ0NAME = 'PBFORM'.
    ls_tsp01-RQ1NAME = '0454'.
    ls_tsp01-RQ2NAME = '2410'.
    ls_tsp01-RQRECEIVER = 'FIS-HENNINGE'.
    ls_tsp01-RQPRIO = '5'.
    *ls_tsp01-RQFINAL = 'C'.
    ls_tsp01-RQTITLE = 'Anlage zu Beleg: 300006040'.
    ENDIF.
      CALL FUNCTION 'ADS_SR_OPEN'
        EXPORTING
          dest            = printer
          append          = append
          doctype        = doctype
          name            = ls_tsp01-RQ0NAME
          suffix1        = ls_tsp01-RQ1NAME
          suffix2        = ls_tsp01-RQ2NAME
          titleline      = ls_tsp01-RQTITLE
        IMPORTING
          handle          = handle
          spoolid        = spoolid
          partname        = partname
        EXCEPTIONS
          device_missing  = 1
          no_such_device  = 2
          operation_failed = 3
          wrong_doctype  = 4
          OTHERS          = 5.
    * l_strlen = STRLEN( bin_file ).
    * l_strlen1 = STRLEN( bin_file ).
      l_strlen = bin_filesize .
      l_strlen1 = bin_filesize .
      DO.
        IF l_strlen GT 80.
          MOVE bin_file+0(80) TO datatab-line.
          APPEND datatab.
          l_strlen = l_strlen - 80.
          bin_file = bin_file+80.
        ELSE.
          MOVE bin_file+0(l_strlen) TO datatab-line.
          APPEND datatab.
          EXIT.
        ENDIF.
      ENDDO.
    * Filename from partname
      CONCATENATE partname '.pdf' INTO filename.
    * Get path of global directory
      CALL 'C_SAPGPARAM'
      ID 'NAME' FIELD 'DIR_GLOBAL'
      ID 'VALUE' FIELD globaldir.
    * Create fully qualified path
      CONCATENATE globaldir '/' filename INTO pathname.
      myfile = pathname.
      OPEN DATASET myfile FOR OUTPUT IN BINARY MODE.
      IF sy-subrc = 0.
        LOOP AT datatab.
          TRANSFER datatab TO myfile.
        ENDLOOP.
        CLOSE DATASET myfile.
      ENDIF.
      size = l_strlen1.
      pages = itcpp-TDPAGES.
      CALL FUNCTION 'ADS_SR_CONFIRM'
        EXPORTING
          handle          = handle
          partname        = partname
          size            = size
          pages          = pages
          no_pdf          = nopdf
        EXCEPTIONS
          handle_not_valid = 1
          operation_failed = 2
          OTHERS          = 3.
      CALL FUNCTION 'ADS_SR_CLOSE'
        EXPORTING
          handle          = handle
        EXCEPTIONS
          handle_not_valid = 1
          operation_failed = 2
          OTHERS          = 3.
    END-OF-SELECTION.

  • Getting the JSP source...

    Hello
    In the navigator of portal, there is a possibility to copy a page as JSP. That works fine. But how can I get the JSP source to modify it?
    Thanks
    Chrigel

    Hi,
    Edit your contexts.properties file(which will be under /server-root/https-hostname/config/contexts.properties). And do following changes in that. Restart the server to new changes take effect.
    <b>Before change </b>
    # context.global.isModifiedCheckAggressive=false
    <b>After change</b>
    context.global.isModifiedCheckAggressive=true
    For more informations refer the below link.
    http://docs.iplanet.com/docs/manuals/enterprise/41/servlets/c-props.htm#530468
    I hope this helps.
    Regards,
    Dakshin.
    Developer Technical Support
    Sun Microsystems
    http://www.sun.com/developers/support.

  • Robo HTML 9 will not open our project from Source Control after initial start.

    We have a project in version control that we have been using forever, since 2003 or so and many versions of RH.  Now that we have upgraded to 9, this project will open the first time in version control and work normally.  Once you close the project and attempt to reopen from the starter screen, it opens just great, just not in version control.  The files are still set to read only.  I have done this several times and the only way i can work on my project in version control is to act like i am opening a project from scratch, then it needs to overwrite all of my local files with the server files.  It would not be so bad but I am 3000 miles away from the server and 13 hops plus a slow firewall on the other end.  While this has never been a problem in the past it is a big problem because it takes hours for all the files to download and overwrite my local files.
    This only happens with RH9 and Version Control 3.1.  RH8 works no problem.  So, I don't know if this is a RH9 starter problem or a Source Control Problem.  Maybe I will make a similar thread in the RH area.  I'll wait to see if I get any useful hits from this one first.
    It is very strange, I had RH9 open for several days because I was afraid to close the project for this reason and yesterday I published for the month so the heat is less right now but today, it opened with no source control.  If I go to Source Control the only thing i can select is put project in source control.  That is how it got into source control after converting to RH9.
    We have another project that seems to open from version control normally but we can only save topics in HTML view.  No useful answers to that topic after a week.
    Got any ideas???
    I have tried different folder names, different paths, etc.
    Thanks,
    dv

    Ok, here is a wierd one, I used the add to version control icon in the menu bar, It already knew the path so I figured I'm the only one who has been editing these files for the past few days so I clicked add to version control.  It added it. I closed and reopeded and still had the same files checked out.  Closed, checked in all, then reopened and it is working in SourceControl.  Strange that after opening from source control and closing that you need to reopen and tell it to put the project into source control.  Obviously some flag is not getting set somewhere.  This might help others having problems reopening source control files.
    dv

  • Can i use fp_job_open, fp_job close in one function module to get hex pdf

    Hello All,
    Can anyone help me here.
    I am trying to use function modules FP_JOB_OPEN, FP_JOB_CLOSE,FP_FUNCTION_MODULE_NAME and call generated function modules in one function module and try ing to get hex string of pdf.
    But hex string of pdf is not coming.Should i do any setting in any of the parameter so that the function module using all these function module gets the pdf hex string.
    Regards,
    Menaka.H.B

    Hello,
    do you want to get the PDF out of the printing program to use it elsewhere? (Portal, GOS etc.)
    You need to work with the CALL FUNCTION fm_name part where the output parameter of the generated function module is XSTRING type (if i remember well) and that´s a place to start. You can convert from xstring to binary and back using SCMS_XSTRING_TO_BINARY and BIN_2_SCMS.
    Also do not forget to set fp_outputparams-GETPDF = 'X'. to get the hex.
    Regards, Otto

  • How can i get a pdf from my iPhone to my new macbook? I keep trying to sync but it says it will delete all the books/pdfs on my phone. I don't have this pdf on my computer and don't want to lose it. Help please!

    How can i get a pdf from my iPhone to my new macbook? I keep trying to sync but it says it will delete all the books/pdfs on my phone. I don't have this pdf on my computer and don't want to lose it. I am using the same iTunes account. Any suggestions?

    Hello ashlyn888,
    Based on your post it sounds like you would like to sync your iBooks content with your computer. I have located an article that may help you in this situation. While you can sync this data with your computer you can also use the sharing button to send PDFs using various sources:
    iBooks: Viewing, syncing, saving, and printing PDFs on iPhone, iPad, and iPod touch - Apple Support
    Thank you for contributing to Apple Support Communities.
    Cheers,
    BobbyD

  • How do I get a PDF document put into an attachment form that I can drag to an e-mail.  Usually I get an icon showing an spiral note book which then becomes an attachment when I drag it to the e-mail, but occasionally it stays in PDF and prints out on the

    How do I get a PDF document put into an attachment form that I can drag to an e-mail.  Usually I get an icon showing an spiral note book which then becomes an attachment when I drag it to the e-mail, but occasionally it stays in PDF and prints out on the e-mail.  What have I done differently?

    Thanks again for the detailed instructions Srini!
    And I really hate to be a pest . . . but . . .
    Using your example and not modifying it, I get the e-mail form filled out correctly and the pdf attached, however, I'm not prompted to sign it.
    Any more clues?

Maybe you are looking for

  • Communication Problem: E_ADEPT_REQUEST_EXPIRED

    I keep getting this message : Error getting License. License Server Communication Problem: E_ADEPT_REQUEST_EXPIRED

  • Error while deploying the ADF Mobile application to the Android Emulator.

    Hi, I'm getting an error when trying to deploying a basic helloworld ADF mobile application to my Android sdk emulator which is already running as below. I'm not able to make anything from this limited log. Can anyone have a look and help me with wha

  • Item renderer using action script

    Hi, Can anybody tell me how to use item renderers using actions script, I have a data grid and iam using item renderer in mxml works fine but it is causing memory issues > So i want to know to use item renderers in action script to avoid memory issue

  • Pixi able to have different ringtones for different callers??

    So after about 4 years I finally had to get rid of my trusty Treo 650.  I went with the Pixi and just got it a few hours ago.  So far I like the phone, but have not been able to figure out how to set up different ringtones for different callers.  I a

  • User validity date is not refelcting in Childsystem

    Hi Experts, I have changed the  validity of a user in  CuA  system . But the validity is not reflecting in child system. on checking SCUL I found the error as " User type 75 is not actiive". I didnot find any issues in distributing roles and profiles