What are the reasons for following Javascript error in Report Viewer

Post Author: dhuka
CA Forum: Crystal Reports
Hello Everybody!
I am using Crystal Reports 10 in my web application. But unfortunately I am surrounded with strange problem related to it because of which I have been unable to deploy is on client-side. In my application the error given below is displayed as javascript error in Report Viewer and report is not displayed. But more frustrating part is that I am getting the same error due to different problem with reporting and I am stuck with it as I am unable to figure out what's causing the error now. Earlier this error appeared due to problem with parameter passing to stored procedure which I resolved it and error vanished but once again it has shown up. Moreover this error now appears less frequently and randomly therefore it is even difficult to trace the cause.
Problem with this Web page might prevent it from being displayed properly or functioning properly. In the future, you can display this message by double-clicking the warning icon displayed in the status bar.
Line: 40Char: 12Error: Expected ')'Code: 0URL: http://myServer/myApp/myForms/myReports/ReportViewer.aspx
So can anybody tell me what factors might be causing this errors as the error text is very vague in nature and gives no idea about the actual error.
Guys, I hope for your kind co-operation.
Regards,

Post Author: dhuka
CA Forum: Crystal Reports
Thanks for you reply Krishna.
But this syntax error is the one that is creating problem for me as I cannot trace it. The form ReportViewer.aspx contains only a report viewer object which remains un-binded to any ReportDocument even at runtime.
At code behind ReportViewer.aspx I have code below that associates SQL Stored Procedure Parameter and Report Filter along with report name. Once all above is associated with ReportDocument, I export ReportDocument to PDF file format and display the report. Here I dont' even bind ReportDocument with my ReportViewer. Moreover, as I mentioned previously this error is encountered randomly (with no reasonable explanation so far) on client PC (while browsing through application).
I hope below code give you good idea of the way I am implementing my reporting.
Looking forward to you solution. Please note that I am only passing the ReportFileName and Parameter and Filter Criteria to this form while dataTable by itself using the connection information.
<<<<<<<<<<<<<<<<<CODE BEHIND of REPORTVIEWER.ASPX>>>>>>>>>>>
Protected Sub Page_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load
Dim strKeys() As String
Dim strReportFilter As String
Dim strReportName As String
Dim strError As structError
Try
ReDim strKeys(0)
If strReportName = "" Then
strReportName = Context.Session("ReportName").ToString()
If Not Session("ReportParameters") = Nothing Then
Dim char_Delimiter() As Char = ";".ToCharArray()
strKeys = Session("ReportParameters").ToString().Split(char_Delimiter)
End If
If Not Session("ReportFilter") = Nothing Then
strReportFilter = Session("ReportFilter").ToString()
End If
Else
Session("DataTable") = Nothing
End If
If Not ViewParameterReport(strReportName, strKeys, strReportFilter, strError) Then
ASPNET_DisplayErrorMessageBox(strError.strMsg, Me)
Exit Sub
End If
Catch ex As Exception
strError.strMsg = Err.Description
ASPNET_DisplayErrorMessageBox(strError.strMsg, Me)
Finally
End Try
End Sub
Private Function ViewParameterReport(ByVal str_ReportName As String, ByVal str_ReportParameters() As String, ByVal strReportFilter As String, ByRef strError As structError) As Boolean
Dim str_ReportPath As String = CStr(ConfigurationSettings.AppSettings.Get("ReportPath"))
Dim crLogInfo As TableLogOnInfo
Dim crConnectionInfo As ConnectionInfo
Try
str_ReportPath = CStr(ConfigurationSettings.AppSettings.Get("ReportPath"))
o_Rpt = New CrystalDecisions.CrystalReports.Engine.ReportDocument
o_Rpt.Load(str_ReportPath & "\rpts\" & str_ReportName)
If Context.Session("DataTable") = "" Then
crLogInfo = New TableLogOnInfo()
crConnectionInfo = New ConnectionInfo()
crLogInfo = o_Rpt.Database.Tables(0).LogOnInfo
crConnectionInfo = o_Rpt.Database.Tables(0).LogOnInfo.ConnectionInfo
clsDbCnn.SetDBProperties()
crConnectionInfo.ServerName = clsDbCnn.Server
crConnectionInfo.DatabaseName = clsDbCnn.Database
crConnectionInfo.UserID = clsDbCnn.UserID
crConnectionInfo.Password = clsDbCnn.Password
crLogInfo.ConnectionInfo = crConnectionInfo
o_Rpt.Database.Tables(0).ApplyLogOnInfo(crLogInfo)
Else
ds_MISReports = New DataSet()
ds_MISReports = CType(Session("DataTable"), DataSet)
o_Rpt.SetDataSource(ds_MISReports)
End If
If Not IsPostBack Then
Dim param_Fields As CrystalDecisions.Shared.ParameterFields = New ParameterFields()
Dim iCount As Integer
If str_ReportParameters.GetUpperBound(0) <> 0 Then
For iCount = 0 To str_ReportParameters.Length - 1 Step 2
o_Rpt.SetParameterValue(CStr(str_ReportParameters(iCount).ToString()), CStr(str_ReportParameters(iCount + 1).ToString()))
Next
o_Rpt.RecordSelectionFormula = strReportFilter
End If
End If
'crViewer.DisplayGroupTree = False
'crViewer.ReportSource = o_Rpt
SetDBLogonForReport(crConnectionInfo, o_Rpt)
Dim TargetFileName As String
Dim fs As System.IO.FileStream
Dim FileSize As Long
Dim GenDS As DataSet
'Dim oRD As New ReportDocument()
Dim crReportObject As CrystalDecisions.CrystalReports.Engine.ReportObject()
Dim oExO As ExportOptions
Dim oExDo As New DiskFileDestinationOptions()
'Build Target Filename
TargetFileName = str_ReportPath & "\Pdfs\" & Session.SessionID & ".pdf"
'Export to PDF
oExDo.DiskFileName = TargetFileName
oExO = o_Rpt.ExportOptions
oExO.ExportDestinationType = ExportDestinationType.DiskFile
oExO.ExportFormatType = ExportFormatType.PortableDocFormat
oExO.DestinationOptions = oExDo
o_Rpt.Export()
o_Rpt.Close()
'Send the file to the user that made the request
Response.Clear()
Response.Buffer = True
Response.AddHeader("Content-Type", "application/pdf")
Response.AddHeader("Content-Disposition", "attachment;filename=MyReport.pdf;")
fs = New System.IO.FileStream(TargetFileName, IO.FileMode.Open)
FileSize = fs.Length
Dim bBuffer(CInt(FileSize)) As Byte
fs.Read(bBuffer, 0, CInt(FileSize))
fs.Close()
Response.BinaryWrite(bBuffer)
Response.Flush()
Response.Close()
o_Rpt = Nothing
Return True
Catch ex As Exception
strError.strMsg = Err.Description
Return False
Finally
crConnectionInfo = Nothing
crLogInfo = Nothing
End Try
End Function
Private Sub SetDBLogonForReport(ByVal myConnectionInfo As ConnectionInfo, _
ByVal myReportDocument As ReportDocument)
Dim myTables As Tables = myReportDocument.Database.Tables
Dim count As Integer
For count = 0 To myTables.Count - 1
Dim myTableLogonInfo As TableLogOnInfo = myTables(count).LogOnInfo
myTableLogonInfo.ConnectionInfo = myConnectionInfo
myTables(count).ApplyLogOnInfo(myTableLogonInfo)
myTables(count).Location = myConnectionInfo.DatabaseName & ".dbo." & myTables(count).Location.Substring(myTables(count).Location.LastIndexOf(".") + 1)
myTables(count).LogOnInfo.ConnectionInfo.ServerName = myConnectionInfo.ServerName()
Next
End Sub

Similar Messages

  • What are the reasons for disabling the saving of data in a PDF?

    I seem to have had more than my share of encounters lately with PDF files that have editable fields but have their data saving capability disabled.
    In some of these situations this has been an absolutely maddening inconvenience.
    When I attempt to bring this to the attention of whomever's responsible I get brushed off.
    One person's response was: Actually the majority of the PDF forms I have are Adobe reader and you cannot make changes electronically at all.  The reason for this is to make sure that the documents are not altered in any way.  The <companies creating the PDFs> must make sure that changes are not being made to their forms. 
    I just don't understand that.  How is entering and saving data 'altering' a PDF?
    Is this just bone-headed bureacracy, an urban legend, or is there some fundamental practical matter I am not aware of?

    Saving a filled-in form has always been disallowed with Adobe Reader, formerly known as Acrobat Reader. Though there are a few exceptions...
    History lesson:
    Forms features were first introduced in Acrobat 3. As you might imagine, a number of folks wanted to be able to save filled-in forms using Acrobat Reader. Since this functionality simply was not a feature of Reader, it was not possible. If you wanted to save a filled-in form, you needed to use Acrobat (Exchange).
    Upon recognizing the potential market for a product that they could sell, Adobe developed and released Acrobat Business Tools, which was a version 4 product. It was positioned between Reader and Acrobat, was reasonably priced, and allowed users to save filled-in forms, apply digital signatures, and add comments. Unfortunately, this was marketed poorly and did not achieve commercial success.
    The next iteration was a similar product named Acrobat Approval, which was a version 5 product. It too could save a filled-in form, but was in some ways more limited than Business Tools, and suffered a similar fate. That is, it was not a market success. It was however distributed for free to US taxpayers on the IRS tax products CD-ROM.
    The next idea from Adobe - which was a good one - was to provide for a means of embedding usage rights in a PDF document. These rights would allow Reader to do things it normally would not be able to do, such as saving a filled-in form, adding comments, importing/exporting form data, creating new pages using templates, connecting to databases and web services, etc. At first, the only way to enable these usage rights was with an expensive product from Adobe, so the potential was initially not realized.
    With the release of Acrobat 7, Acrobat users were able to add some usage rights, such as commenting. While this was a welcome addition, folks still wanted to be enable forms to be saved with Reader. Finally with the release of Acrobat 8 Pro, users were able to enable forms to be saved with Reader, but it came with licensing restrictions. In short, if the licensee distributed the form for more than 500 recipients, the licensee could use data from no more that 500 copies of a particular form that was returned to them, including hardcopies. This was great for forms used inside of an orginization, but not so great for forms that needed to be used by the general public. Still, it was a very useful feature for a majority of businesses for internal forms, the vast majority of which have fewer than 500 employees.
    Acrobat 9 or 10 didn't change things. Adobe still wants to capitalize on this market, which certainly is not a bad thing for Adobe and their stockholders. The US IRS forms have long been saveable with Reader because they licence Adobe Reader Extensions, which provides revenue for Adobe.
    Note that some third-party PDF viewers allow users to save filled-in forms whether or not the documents have usage rights. Such software has a different marketing model than does Adobe Reader/Acrobat, and rides the coattails of Adobe by taking advantage of the popularity of PDF forms.

  • What is the reason for this OHS error?

    Hello,
    I installed Weblogic 10.3.5 R1, with Oracle Forms and Reports 11g on 2 computers, with the same installation configuration.
    One of them is working and the other one doesn't want to start the OHS from EM, although the opmnctl says that the OHS is alive.
    The OHS log file includes the following errors:
    [2013-07-04T17:39:04.0139+03:00] [OHS] [ERROR:32] [OHS-2057] [mod_ssl.c] [host_id: DEV103] [host_addr: 192.168.12.44] [pid: 4352] [tid: 1776] [user: ] [VirtualHost: DEV103.KASH:8889]  Init: (DEV103.KASH:8889) Unable to initialize SSL environment, nzos call nzos_Initialize returned 28750
    [2013-07-04T17:39:04.0764+03:00] [OHS] [ERROR:32] [OHS-2171] [mod_ssl.c] [host_id: DEV103] [host_addr: 192.168.12.44] [pid: 4352] [tid: 1776] [user: ] [VirtualHost: DEV103.KASH:8889]  NZ Library Error: Unknown error
    [2013-07-09T12:49:40.3594+03:00] [OHS] [ERROR:32] [OHS-9999] [core.c] [host_id: DEV103] [host_addr: 192.168.12.44] [pid: 1484] [tid: 740] [user: SYSTEM] [VirtualHost: main] (OS 10038)An operation was attempted on something that is not a socket.  :  winnt_accept: getsockname error on listening socket, is IPv6 available?
    [2013-07-09T12:49:40.3594+03:00] [OHS] [ERROR:32] [OHS-9999] [core.c] [host_id: DEV103] [host_addr: 192.168.12.44] [pid: 1484] [tid: 1624] [user: SYSTEM] [VirtualHost: main] (OS 10038)An operation was attempted on something that is not a socket.  :  winnt_accept: getsockname error on listening socket, is IPv6 available?
    [2013-07-09T12:49:40.3594+03:00] [OHS] [ERROR:32] [OHS-9999] [core.c] [host_id: DEV103] [host_addr: 192.168.12.44] [pid: 1484] [tid: 1644] [user: SYSTEM] [VirtualHost: main] (OS 10038)An operation was attempted on something that is not a socket.  :  winnt_accept: getsockname error on listening socket, is IPv6 available?
    [2013-07-09T12:49:40.3594+03:00] [OHS] [ERROR:32] [OHS-9999] [core.c] [host_id: DEV103] [host_addr: 192.168.12.44] [pid: 1484] [tid: 1600] [user: SYSTEM] [VirtualHost: main] (OS 10038)An operation was attempted on something that is not a socket.  :  winnt_accept: getsockname error on listening socket, is IPv6 available?
    [2013-07-09T12:49:51.9542+03:00] [OHS] [ERROR:32] [OHS-9999] [core.c] [host_id: DEV103] [host_addr: 192.168.12.44] [pid: 5624] [tid: 1596] [user: SYSTEM] [VirtualHost: main] (OS 10038)An operation was attempted on something that is not a socket.  :  winnt_accept: getsockname error on listening socket, is IPv6 available?
    [2013-07-09T12:49:51.9542+03:00] [OHS] [ERROR:32] [OHS-9999] [core.c] [host_id: DEV103] [host_addr: 192.168.12.44] [pid: 5624] [tid: 1600] [user: SYSTEM] [VirtualHost: main] (OS 10038)An operation was attempted on something that is not a socket.  :  winnt_accept: getsockname error on listening socket, is IPv6 available?
    What could be the problem?
    Thanks.

    Log says something about IPv6, does your /etc/hosts file have a line for it and you are using IPv6?
    If you have the line and not use IPv6, try to comment out that line and retry.
    Regards

  • What are the reasons for using absolute paths to embedded objects in word?

    Hello,
    hopefully someone can answer me the question why word always stores the absolute paths to linked objects? We use Word for documentation and these documents are stored in a version control system and sometimes several persons are working on a document. Because
    of the absolute paths stored in the document all users would need to have the same directory structure so that the links would work for every person.
    For linked objects it's not even possible to change the absolute paths to relative paths.
    Additionally I would like to know what the difference between a "Graphic" and "Picture" object is. A graphic can be inserted by selecting "INSERT" -> "Pictures" and a "Graphic" doesn't seem to have a field
    function and always uses absolute paths. "Graphics" can be inserted by selecting "INSERT" -> "Quick Parts" -> "Field..." -> "IncludePicture" and it's possible to use relative paths for "IncludePicture"
    objects and it's possible to show the field function of a "Picture" object.
    Regards
    Martin

    This seems to be by design, not too much information about this. The thread below should be helpful for you to understand it:
    https://social.technet.microsoft.com/Forums/office/en-US/6d4445e1-cdc5-4b3b-9355-9081c963fdd9/unable-to-use-relative-object-links-in-word-office-2010-sp1
    Also, from the thread below, you will find some workarounds for this issue:
    http://windowssecrets.com/forums/showthread.php/102080-Relative-Paths-in-Word-Fields-(All)?p=584769&viewfull=1#post584769
    Aravindhan Battepati

  • What is the reason for below DSP errors??

    DSP: 1/14:1
            Timeout:  None recorded
              Alarm: 1778218.500
       Message drop:  None recorded
    DSP: 1/14:2
            Timeout:  None recorded
              Alarm: 1778218.500
       Message drop:  None recorded
    DSP: 1/14:3
            Timeout:  None recorded
              Alarm: 1778218.500
       Message drop:  None recorded
    DSP: 3/21:1
            Timeout:  None recorded
              Alarm: 1964220.552
       Message drop:  None recorded
    DSP: 3/21:2
            Timeout:  None recorded
              Alarm: 1964220.552
       Message drop:  None recorded
    DSP: 3/21:3
            Timeout:  None recorded
              Alarm: 1964220.552
       Message drop:  None recorded
    DSP: 1/4:1
            Timeout:  None recorded
              Alarm: 1965047.112
       Message drop:  None recorded
    DSP: 1/4:2
            Timeout:  None recorded
              Alarm: 1965047.112
       Message drop:  None recorded
    DSP: 1/4:3
            Timeout:  None recorded
              Alarm: 1965047.112
       Message drop:  None recorded

    Seems like you need to get the pvdm replaced.
    Thanks,
    Karthik

  • ANY BODY TELL ME WHAT IS THE REASON FOR THIS ERROR

    hi... experts....
        Iam having one screen in my previous module pool program....and now as per my requirement i added on e new field...
    for that...
      1. i declared one variable in top include...
      2. cretaed one more new block with help of box in layout screen..
      3. added some text field and inputput out field...
      4. and in that block i also added one line with test like... following...
    " NOTE: PLEASE ENTER THE ..... VALUE..."   Like this.... just for to give direction...
    so these are  the steps i taken to add new field to my screen... but here i am geting error ... while entering the value in that field and press any push button.... including back in that screen... like....
      "INVAILD FIELD FORMAT (SCREEN ERROR)"
    .... ANY BODY TELL ME WHAT IS THE REASON FOR THIS ERROR... COMMONLY???
    THANK YOU,,,
    NAVEEN..

    hi naveen,
    there can be problem from ur layout side.
    Goto SE51. in Layout editor make sure that the type in screen and in TOP Include is same.
    and if you are using currency field than it can also give error to you.
    if still you any error .
    give me type of variable whcih you defined in TOP and also code.
    give reward if helpfull.

  • What are the main instruction followed  in flatfile for hierarchy

    what are the main instruction followed  in flatfile for hierarchy

    Hi,
    If you want to load InfoObjects in hierarchy form, you have to activate the indicator With Hierarchies for each of the relevant InfoObjects in the InfoObject maintenance. If necessary, you need to specify whether the entire hierarchy or the hierarchy structure is to be time-dependent, whether intervals are permitted in the hierarchy, whether additional node attributes are allowed (only when loading using a PSA), and which characteristics are allowed.
    The detailed procedure is listed in the link below
    http://help.sap.com/saphelp_bw33/helpdata/en/b0/ab8e3cb4340b14e10000000a114084/frameset.htm
    Remya

  • When I try to install CS6 Design and Web Premium from a disk I get this message "We are unable to validate this serial number..." What is the reason for this?

    I purchased a disk copy of CS6 Design and Web Premium from a reputable seller last week and when I try to install it with the serial number I got it says "We are unable to validate this serial number for CS6 Design and Web Premium. Please contact Customer Support." What is the reason for this?
    Is the serial number invalid?

    Hi Ned,
    Thanks for the suggestion. I eventually got in touch with Adobe Technical Support and it turned out that my Adobe Application Manager was not the latest version. They downloaded the latest version and installed it and that seemed to solve the problem. I was able to install my CS6 Creative Suite and validate the serial number. All seems to be going well at the moment.

  • What is the reason for this error? after export part of movie broken

    hi, i cannot find the reason for this strange error that happaned to me for the first time, you can see the outcome here:
    http://picasaweb.google.com/p.cardash/IMovieBug/photo#5164317113276584274
    after exporting in imovie to h264 .mov file, from HDV project, resolution is twisted, plus, the part that was supposed to fit hole screen, is black and sometimes with little graphic errors.
    i tried about 10 times, with different setting, resolutions, and other parameteres.
    after exporting for ipod, everything is ok, in m4v format.
    what is wrong? i use the same method for creating and also for exporting, as in previous projects. i didnt use any new transitions, efects nor titles...
    any thoughts?
    best to You,
    Piotr

    ok, i think that i know where is the problem, but i still dont what is it
    ive copied my file to a new mac with just installed imovie and everything is the same,exactly the same output. so 100% positively the problem is within the particular project.
    i didnt check my mackbook with TT, since i dont have it and dont want to pay i thought its for free
    i`ll try later to figure out what wrong and what part of the project is bad.
    for now, i think i hate imovie again :)) piece of..
    let me know how your case ended.

  • What are the settings for Primere Elements 9 if I've filmed with a Canon Powershot sx50 HS?

    I just got this camera and I want the best quality possible. Unfortunately, it's hard for me to fully know if the settings I try create that. I get a fuzz or noise on objects like if I'm wearing a black jacket it's like static. When I put the video on my phone which is an Android Galaxy s4 it converts it into mp4 format and I get much more clear results than on my computer which perplexes me. I did a lot of trial and error with my previous camera (JVC Full HD Everio) which I got the same results. My newer Canon should be leagues ahead of the JVC, but I really can't tell as of yet. If anyone could help that would be awsome. I have examples of my trials and errors from my Youtube videos which you can see I felt I was slowly making progress with the JVC Oppositeofhood - YouTube

    Opposite
    Then I saw your latest post
    Wait, I think I just found it. I pressed record on different settings to take pictures with like portrait to see if it would make a difference and when I uploaded them to my computer I found where it shows the BIt rate and it varied. They run at 23 frames per second 1920 x 1080 MOV video files and all the Bit rates are like 36,356 35,414 ,36,521
    If your camera is recording with a variable bitrate, the Bitrate variations from file to file should not be contributing to the issue. But it does raise the issue related to whether or
    not we are setting the appropriate bitrate level in the export settings. What are the units for 36,356, 35,414, and 36,517 -
    kbps (also can be written Kbps) and is kilobits per second
    or
    Mbps which is megabits per second.
    Let us try this for one of your 1920 x 1080p24 videos.
    Go through the following workflow
    Manually set project preset...
    NTSC
    DSLR
    1080p
    DSLR 1080p24
    When you go to export your edited Timeline content, then use
    Share
    Computer
    QuickTime
    with Presets = NTSC DV 16:9 - that is going to be customized to 1080p24 (H.264.mov) under the Advanced Button/Video Tab of that preset
    The essential settings under the Advanced Button/Video Tab
    Video Codec = H.264
    Frame Width = 1920
    Frame Height = 1080
    Frame Rate = 23.976
    Field Type = Progressive
    Aspect = Square Pixels (1.0)
    Now here is where we are going to experiment....
    Bitrate
    Check Mark next to Limit Data Rate to and type in 36000 before kbps
    note the file size of the export as well as the quality of the playback.
    Repeat the whole process but in export
    Remove the check mark next to Limit Data Rate. The Bitrate field will be disabled.
    note the file size of the export as well as the quality of the playback.
    We will be watching for your results.
    Thanks.
    ATR

  • What are the ranges for correct skin tones using RGB%?

    What are the ranges for correct skin tones using RGB%?  Used to using a scale from 0 to 255.  But with LR it's RGB  , I know 100% RGB is white.  What do you use for %?

    While I whole heartedly agree that we should not be constrained to hard and fast numbers for accurate skin tones ... LR does offer an RGB color readout ... I am assuming they made those percentages available for the user to monitor the breakdown of specific color values for a reason ... so we could have an indication of how a specific color in an image will be reproduced ...
    I liken this to using a speedometer ... while many experienced drivers in well tuned vehicles can travel on the highway at the prescribed legal speed limit without really monitoring the readout on the dashboard ... however, there are times when they would like to verify the speed at which they are traveling ... the RGB color percentage readout in LR is no different ... just a source of information to verify you are achieving what you desire ...
    Again, going by specific numbers in this instance, I believe, could lead to problems ... there may be times when you may desire or actually need to adjust skin tones ... even though a pleasing WB has been achieved ... the relationship of R, G and B can be used to get you there.
    From what I have researched and put into practice with LR the following seems to be a good starting point and the data was borrowed from "the pixelation" blog:
    R: highest %
    G: middle %
    B: lowest %
    To get a little more specific. In general,
    R: Y + (15-20)
    G: average of R and B
    B: R – (15-20)
    For example, the following values represent common Caucasian skin tones using the rules above:
    * R: 80%; G: 70%; B: 60%. R is 20 points higher than B, and G is midway between R and B. That’s perfect.
    *  R: 86%, G: 78%; B: 70% also reflects a nicely balanced skin tone.  Again, G is midway between R and B, and R is 16 points higher than B. This, too, illustrates a great relationship among the colors.

  • My ipod nano 6th gen fell out of my pockey and the screen cracked badly, is there any coverage for this under warranty? I just bought it a month ago. If not what are the options for getting it fixed

    My ipod nano 6th gen fell out of my pocket and the screen cracked badly, is there any coverage for this under warranty? I just bought it a month ago. If not what are the options for getting it fixed? It is pretty frustrating, it fell from about 3 feet out of my pocket and now looks like it was beaten by a hammer.

    Debbie:
    deborahfromwindsor wrote:
    he advises restarting by inserting the OSX disc and pressing down the C button to reboot from there then selecting disk utility, hard disk and repair.... Does he mean me to hold down the C key on the alpha keyboard or the ctrl key?
    Should I just ask for my money back??? If it is a simple repair do I just literally push the disc in, push the power button and hold down the C button?
    That's where I would begin, too, with
    Repair Disk
    Insert Installer disk and Restart, holding down the "C" key until grey Apple appears.
    Go to Installer menu (Panther and earlier) or Utilities menu (Tiger) and launch Disk Utility.
    Select your HDD (manufacturer ID) in the left panel.
    Select First Aid in the Main panel.
    (Check S.M.A.R.TStatus of HDD at the bottom of right panel, and report if it saysanything but Verified)
    Click Repair Disk on the bottom right.
    If DU reports disk does not need repairs quit DU and restart.
    If DU reports errors Repair again and again until DU reports disk is repaired.
    If DU reports errors it cannot repair you will need touse autility like TechTool Pro,Drive Geniusor DiskWarrior
    First we need to determine if the issue you are experiencing with the computer is software or hardware based. Once we have gotten things sorted out there should be time enough to make you decision about keeping or returning it.
    cornelius

  • What are the settings for datasource and infopackage for flat file loading

    hI
    Im trying to load the data from flat file to DSO . can anyone tel me what are the settings for datasource and infopackage for flat file loading .
    pls let me know
    regards
    kumar

    Loading of transaction data in BI 7.0:step by step guide on how to load data from a flatfile into the BI 7 system
    Uploading of Transaction data
    Log on to your SAP
    Transaction code RSA1—LEAD YOU TO MODELLING
    1. Creation of Info Objects
    • In left panel select info object
    • Create info area
    • Create info object catalog ( characteristics & Key figures ) by right clicking the created info area
    • Create new characteristics and key figures under respective catalogs according to the project requirement
    • Create required info objects and Activate.
    2. Creation of Data Source
    • In the left panel select data sources
    • Create application component(AC)
    • Right click AC and create datasource
    • Specify data source name, source system, and data type ( Transaction data )
    • In general tab give short, medium, and long description.
    • In extraction tab specify file path, header rows to be ignored, data format(csv) and data separator( , )
    • In proposal tab load example data and verify it.
    • In field tab you can you can give the technical name of info objects in the template and you not have to map during the transformation the server will automatically map accordingly. If you are not mapping in this field tab you have to manually map during the transformation in Info providers.
    • Activate data source and read preview data under preview tab.
    • Create info package by right clicking data source and in schedule tab click star to load data to PSA.( make sure to close the flat file during loading )
    3. Creation of data targets
    • In left panel select info provider
    • Select created info area and right click to create ODS( Data store object ) or Cube.
    • Specify name fro the ODS or cube and click create
    • From the template window select the required characteristics and key figures and drag and drop it into the DATA FIELD and KEY FIELDS
    • Click Activate.
    • Right click on ODS or Cube and select create transformation.
    • In source of transformation , select object type( data source) and specify its name and source system Note: Source system will be a temporary folder or package into which data is getting stored
    • Activate created transformation
    • Create Data transfer process (DTP) by right clicking the master data attributes
    • In extraction tab specify extraction mode ( full)
    • In update tab specify error handling ( request green)
    • Activate DTP and in execute tab click execute button to load data in data targets.
    4. Monitor
    Right Click data targets and select manage and in contents tab select contents to view the loaded data. There are two tables in ODS new table and active table to load data from new table to active table you have to activate after selecting the loaded data . Alternatively monitor icon can be used.
    Loading of master data in BI 7.0:
    For Uploading of master data in BI 7.0
    Log on to your SAP
    Transaction code RSA1—LEAD YOU TO MODELLING
    1. Creation of Info Objects
    • In left panel select info object
    • Create info area
    • Create info object catalog ( characteristics & Key figures ) by right clicking the created info area
    • Create new characteristics and key figures under respective catalogs according to the project requirement
    • Create required info objects and Activate.
    2. Creation of Data Source
    • In the left panel select data sources
    • Create application component(AC)
    • Right click AC and create datasource
    • Specify data source name, source system, and data type ( master data attributes, text, hierarchies)
    • In general tab give short, medium, and long description.
    • In extraction tab specify file path, header rows to be ignored, data format(csv) and data separator( , )
    • In proposal tab load example data and verify it.
    • In field tab you can you can give the technical name of info objects in the template and you not have to map during the transformation the server will automatically map accordingly. If you are not mapping in this field tab you have to manually map during the transformation in Info providers.
    • Activate data source and read preview data under preview tab.
    • Create info package by right clicking data source and in schedule tab click star to load data to PSA.( make sure to close the flat file during loading )
    3. Creation of data targets
    • In left panel select info provider
    • Select created info area and right click to select Insert Characteristics as info provider
    • Select required info object ( Ex : Employee ID)
    • Under that info object select attributes
    • Right click on attributes and select create transformation.
    • In source of transformation , select object type( data source) and specify its name and source system Note: Source system will be a temporary folder or package into which data is getting stored
    • Activate created transformation
    • Create Data transfer process (DTP) by right clicking the master data attributes
    • In extraction tab specify extraction mode ( full)
    • In update tab specify error handling ( request green)
    • Activate DTP and in execute tab click execute button to load data in data targets.

  • What are the announcements for renting VPS?

    What are the announcements for renting VPS? For details, understand VPS and make the choice of rental; for Taiwan VPS and Hong Kong VPS, without records, unlimited contents, wider range, and more efficient experience. Your server will show its excellence with the advantages.
    Most station agents become less inclined to virtual hosting, for national space, domain name records are needed, which waste the time; for overseas hosting such as Korea hosting, US hosting, no records, but slower speed than national space; therefore, more and more station agents prefer servers, but because the price of servers are too high, they turn their focus on VPS.
    The following are the announcements:
    1.Open remote desktop lander:
    Start-run-mstsc or start-procedure-nearby-remote desktop connect
    2.Several conditions for account halt:
    First, client side login cause account halt
    Second, certain account quits the remote control in midway when it runs routine
    Third, certain routine is restricted by synchronous operation of system administrator.
    3. Not install the third party firewall
    If you need firewall, please use windows firewall, the third party firewall in VPS will cause system collapse and data loss, the system automatically obtains the newest windows patches and install itself, which do not require human operation. Installing system patches in VPS sometimes will heavily lead to VPS collapse and data loss.
    Do not modify remote desktop port.
    Because of the specialty of VPS system, default remote desktop port is 3389, do not modify randomly, or the remote connection will be out of work.
    4. Except some special conditions that user registration is needed for certain procedure, when the remote connection has been close down, do not forget logout user to save memory resource, and prevent the loading connection next time, if it happens, reboot VPS.
    5. VPS has been set with relative security when it was paid, with high security. It suggests that do not open firewall randomly, if you open it by your own, the following ports should be opened: 21(FTP), 3389(remote connection), 80(website http), 3306(MySQL), 1433(SQL Server). Timely check whether there is suspicious account or system log, download 360 safety guard to avoid these files and process.
    6. Try not to modify registry hand-actuated, ensure the reboot of VPS. Modify remote ports please add the modified port in firewall first, and then reboot.
    7.Modify IIS installation files, backup these files, and then modify them with the software that can keep the file layout, prevent these files from destroying IIS.
    8.Website service of VPS and FTP service of IIS are default to open hand-actuated, set Web Publishing Service as automatically if you are station agent. If you often use FTP service of IIS, please set FTP Publishing Service as automatically, i.e. reboot it automatically. If you use serv-u, tick all the system service terms. In the terms of security and resource consumption , it suggests that those users who seldom use FTP do not set it as automatically.

    Hi there
    "So for ALL the apps, the annual monthly fee is £46.88, but you can rent occasionally for £70.32 pm.... ?" Correct
    £17.58 single app plan requires an annual commit - it's £27.34 for the month-to-month plan without annual commit.
    Thanks
    Bev

  • What are the wildcards for FILE_MASK in FM EPS_GET_DIRECTORY_LISTING

    The wildcard for exactly 1 character is '?'.
    example: with mask ????????.STA     , I get the following files:
    BWMDAACW.STA
    BWMDAADW.STA
    BWMDAAEW.STA
    BWMDAAFW.STA
    BWMDAAGW.STA
    (all files ending with .STA, with 8 characters before .STA)
    But what is the wildcard for 'any character' ?
    I tried with *.STA     , but the result is
    test1
    test2
    test3
    test4
    y5c01
    (all the filenames with exactly 5 characters)
    with *STA, the result is
    IBAN
    PBCL
    rfbi
    stxh
    stxl
    (all the filenames with exactly 4 characters)
    (the result is the same with *123 or *XYZ !!!)
    with BW*, the result is
    BWMDAACW.STA
    BWMDAADW.STA
    BWMDAAEW.STA
    BWMDAAFW.STA
    BWMDAAGW.STA
    as expected, but * seems the right wild character for 'any character' only at the end of the mask; it seems not work as expected when it is not the last character of the mask.
    It seems very strange! What are the rules for wildcards ? (I'm in 4.7)
    thanks in advance

    CONSTANTS DAYS1980     TYPE I VALUE 3652.
    DATA: linelength TYPE i VALUE 0.
    DATA: linelength1 TYPE i VALUE 0.
    DATA: text TYPE string.
    DATA: DLIST    LIKE EPSFILI OCCURS 0 WITH HEADER LINE,
          DPATH    LIKE EPSF-EPSDIRNAM,
          PFILE    LIKE EPSF-EPSFILNAM,
          MDATE    LIKE SY-DATUM,
          MTIME    LIKE SY-UZEIT,
          POINT_IN_TIME TYPE I.
    DATA: BEGIN OF FATTR OCCURS 0,
              FILE_NAME  LIKE EPSF-EPSFILNAM,
              FILE_SIZE  LIKE EPSF-EPSFILSIZ,
              FILE_OWNER LIKE EPSF-EPSFILOWN,
              FILE_MODE  LIKE EPSF-EPSFILMOD,
              FILE_TYPE  LIKE EPSF-EPSFILTYP,
              FILE_MTIME(12),
          END OF FATTR.
    PARAMETER P_PATH(50) TYPE C DEFAULT '/TMP' LOWER CASE.
    PARAMETER P_FILE(50) TYPE C DEFAULT ' '  LOWER CASE.
    DPATH = P_PATH.
    PFILE = P_FILE.
    CALL FUNCTION 'EPS_GET_DIRECTORY_LISTING'
         EXPORTING
              DIR_NAME               = DPATH
    *          FILE_MASK              = PFILE
         TABLES
              DIR_LIST               = DLIST
         EXCEPTIONS
              INVALID_EPS_SUBDIR     = 1
              SAPGPARAM_FAILED       = 2
              BUILD_DIRECTORY_FAILED = 3
              NO_AUTHORIZATION       = 4
              READ_DIRECTORY_FAILED  = 5
              TOO_MANY_READ_ERRORS   = 6
              EMPTY_DIRECTORY_LIST   = 7
              OTHERS                 = 8.
    break developer.
    IF SY-SUBRC EQ 0.
      LOOP AT DLIST.
      linelength = STRLEN( DLIST-NAME ).
        linelength = linelength - 3.
      linelength1 = STRLEN( P_FILE ).
        linelength1 = linelength1 - 3.
      if DLIST-NAME+linelength(3) = P_FILE+linelength1(3).
        CALL FUNCTION 'EPS_GET_FILE_ATTRIBUTES'
             EXPORTING
                  FILE_NAME              = DLIST-NAME
                  DIR_NAME               = DPATH
             IMPORTING
                  FILE_SIZE              = FATTR-FILE_SIZE
                  FILE_OWNER             = FATTR-FILE_OWNER
                  FILE_MODE              = FATTR-FILE_MODE
                  FILE_TYPE              = FATTR-FILE_TYPE
                  FILE_MTIME             = FATTR-FILE_MTIME
             EXCEPTIONS
                  READ_DIRECTORY_FAILED  = 1
                  READ_ATTRIBUTES_FAILED = 2
                  OTHERS                 = 3.
        IF SY-SUBRC EQ 0.
          FATTR-FILE_NAME = DLIST-NAME.
          APPEND FATTR.
        ENDIF.
        endif.
      ENDLOOP.
      SORT FATTR BY FILE_NAME.
      LOOP AT FATTR.
        POINT_IN_TIME = FATTR-FILE_MTIME.
        CALL FUNCTION 'POINT_IN_TIME_CONVERT'
             EXPORTING
                  POINT_IN_TIME = POINT_IN_TIME
             IMPORTING
                  DATE          = MDATE
                  TIME          = MTIME
             EXCEPTIONS
                  OTHERS        = 1.
        SUBTRACT DAYS1980 FROM MDATE.
        WRITE: / FATTR-FILE_NAME,
                 FATTR-FILE_SIZE,
                 MDATE,
                 MTIME.
      ENDLOOP.
    ENDIF.
    Edited by: kk.adhvaryu on Sep 25, 2010 12:08 PM

Maybe you are looking for

  • [solved] Non-alphanumeric characters broken in TinyChat

    Hello, fellow archers. I've been having a bit of trouble with the TinyChat site. Most non-alphanumeric characters are being displayed as crossed-out boxes. This problem is exclusive to TinyChat and has not occured in any other Flash applications. An

  • Transferring iTunes from Windows PC to new iMac

    Hi guys, I know this has probably been asked a hundred times but I cannot seem to find a definitive and straightforward answer. Basically I have just bought a 27" iMac and would like to transfer my iTunes library and iPhone settings across to this be

  • Ibooks syncing issue ipad 2

    Every time I link my Macbook Pro to my ipad 2 to sync I have to re check the 'load all books' box.  Is this a new books not syncing issue? Or something else? How do I keep the load all box checked so I can not keep assessing my memory wrongly?

  • Post a invoice

    Hi every body, I post a invoice in AP. I want to input name item, quantity for each G/L line item but on the screen without the fields Please tell me how to configure or select variant to input data Thank in advance Minhtb

  • IDOC Mapping with field determination

    Hi All. My requirement for this PI Mapping has the following. A root node (E1IDPU1) has a document name and document number. This also has a child node (E1EDP02) that can occur 5 times and in it a qualifier and belnr that occurs once in each instance