Report that works in CMS doesn't work in VB.

I'm trying to get the VB viewer code from wssdk_net_samples_12 working on a report (with 1 parameter) I created against a postgres database but I keep getting the following error:
Message: "Failed to retrieve database logon info. Information is needed before this report can be processed. (WRE 02517)"
on this line:
Dim boDocInfo As DocumentInformation = boRepEng.GetDocumentInformation(repID, boMustFill, oActions, Nothing, Nothing)
The logon apprears to work properly.  I've tested it against the standard 'World Sales Report' report.
My report works fine in Crystal Server 2008 with the parameter so I'm wondering what I'm missing.
The code to log into the DB is actually done after this code.
I'm actually at the end of what little wit I have.
Any help would be greatly appreciated.
Thanks in advance,
J
Edited by: Jason Cameron on Sep 5, 2008 5:19 PM

'Hey there,  sorry about the delay...and the mess.  Here's my code and it still works! Ok some of this is 'mine, some of this is BObj's, and some of this was done by people here.  I can't remember exactly who 'but if you recognize a piece of code in there that might be yours it probably is.  Thanks.  This is a pretty 'messy windows command-line app to schedule a report and put it in a specific location. 
'j
Imports BusinessObjects.DSWS
Imports BusinessObjects.DSWS.BIPlatform
Imports BusinessObjects.DSWS.BIPlatform.Constants
Imports BusinessObjects.DSWS.BIPlatform.Desktop
Imports BusinessObjects.DSWS.BIPlatform.Dest
Imports BusinessObjects.DSWS.ReportEngine
Imports BusinessObjects.DSWS.Session
Imports System
Imports System.Data
Imports System.Configuration
Public Class ModuleMainClean
    Private WS_URL_SESSION As String
    Private WS_URL_REPORTENGINE As String
    Private WS_URL_BIPLATFORM As String
    Private REPORT_STRING As String
    Private REPORT_NAME As String
    Private FILE_EXTENSION As String
    Private REPORT_FORMAT As ReportFormatEnum
    Private bipService As BIPlatform
    Private boRepEng As ReportEngine
    Private wSession As Session
    Private gstrReportParameters() As String
    Sub Main()
        SetupEnvironment()
        Logon()
        Schedule()
    End Sub
    Sub SetupEnvironment()
        Dim c As Integer
        WS_URL_SESSION = My.Settings.BaseURL + "Session"
        WS_URL_REPORTENGINE = My.Settings.BaseURL + "reportengine"
        WS_URL_BIPLATFORM = My.Settings.BaseURL + "BIPlatform"
        REPORT_STRING = My.Application.CommandLineArgs(0)
        REPORT_NAME = My.Application.CommandLineArgs(1)
        REPORT_FORMAT = System.Enum.Parse(GetType(ReportFormatEnum), My.Application.CommandLineArgs(2))
        Select Case REPORT_FORMAT
            Case ReportFormatEnum.CRYSTAL_REPORT
                FILE_EXTENSION = ".rpt"
            Case ReportFormatEnum.EXCEL, ReportFormatEnum.EXCEL_DATA_ONLY
                FILE_EXTENSION = ".xls"
            Case ReportFormatEnum.MHTML
                FILE_EXTENSION = ".mhtml"
            Case ReportFormatEnum.PDF
                FILE_EXTENSION = ".pdf"
            Case ReportFormatEnum.RTF, ReportFormatEnum.RTF_EDITABLE
                FILE_EXTENSION = ".rtf"
            Case ReportFormatEnum.TEXT_CHARACTER_SEPARATED, ReportFormatEnum.TEXT_PAGINATED, ReportFormatEnum.TEXT_PLAIN, ReportFormatEnum.TEXT_TAB_SEPARATED, ReportFormatEnum.TEXT_TAB_SEPARATED_TEXT
                FILE_EXTENSION = ".txt"
            Case ReportFormatEnum.USER_DEFINED
                FILE_EXTENSION = ".ud"
            Case ReportFormatEnum.WORD
                FILE_EXTENSION = ".doc"
        End Select
        If My.Application.CommandLineArgs.Count > 3 Then
            ReDim gstrReportParameters(My.Application.CommandLineArgs.Count - 4)
            For c = 0 To gstrReportParameters.GetUpperBound(0)
                gstrReportParameters(c) = My.Application.CommandLineArgs(c + 3)
            Next
        End If
    End Sub
    Sub Logon()
        Dim wSession As BusinessObjects.DSWS.Session.Session
        Try
            Dim boConnection As BusinessObjects.DSWS.Connection = New BusinessObjects.DSWS.Connection(WS_URL_SESSION)
            ' login to BusinessObjects Enterprise using web services
            Console.WriteLine("Logging into web service...")
            Dim credential As New EnterpriseCredential
            credential.Login = My.Settings.User_Name
            credential.Password = My.Settings.User_Password
            credential.Domain = My.Settings.Cluster_Name
            credential.AuthType = My.Settings.Authentication_Type
            wSession = New BusinessObjects.DSWS.Session.Session(boConnection)
            wSession.Login(credential)
            Console.WriteLine("Logged into web service.")
            boConnection.URL = WS_URL_BIPLATFORM
            bipService = New BIPlatform(boConnection, wSession.ConnectionState)
            boConnection.URL = WS_URL_REPORTENGINE
            boRepEng = New ReportEngine(boConnection, wSession.ConnectionState)
        Catch ex As DSWSException
            Console.Error.WriteLine(ex)
            Console.Error.WriteLine(ex.CauseDetail)
            Throw
        End Try
    End Sub
    Private Sub Schedule()
        Try
            Dim oGetOptions As New GetOptions
            oGetOptions.IncludeSecurity = False
            Dim crPath As String = "path://InfoObjects/Root Folder/SCH Reports/" + REPORT_STRING + "@SI_SCHEDULEINFO,SI_PROCESSINFO"
            Dim rh As ResponseHolder = bipService.Get(crPath, oGetOptions)
            Dim oInfoObjects As InfoObjects = rh.InfoObjects
            Dim oReport As CrystalReport = oInfoObjects.InfoObject(0)
            oReport.Name = REPORT_NAME
            Dim oSchedulingInfo As New SchedulingInfo
            oReport.SchedulingInfo = oSchedulingInfo
            oReport.SchedulingInfo.RightNow = True
            'to schedule a report to pdf format, use the following code
            Dim procInfo As ReportProcessingInfo = oReport.PluginProcessingInterface
            Dim repFormat As New CrystalReportFormatOptions
            repFormat.Format = REPORT_FORMAT
            repFormat.FormatSpecified = True
            procInfo.ReportFormatOptions = repFormat
            oReport.PluginProcessingInterface = procInfo
            'to schedule to unmanaged disk, use the code below
            Dim oDestination(1) As Destination
            oDestination(0) = New Destination
            oDestination(0).Name = "CrystalEnterprise.DiskUnmanaged"
            Dim diskOptions As New DiskUnmanagedScheduleOptions
            Dim destinationFile(1) As String
            destinationFile(0) = My.Settings.Export_Location + oReport.Name + FILE_EXTENSION
            diskOptions.DestinationFiles = destinationFile
            oDestination(0).DestinationScheduleOptions = diskOptions
            oSchedulingInfo.Destinations = oDestination
            'to schedule a report with discrete parameter information, use the following code snippet
            Dim repParams() As ReportParameter = procInfo.ReportParameters
            Dim oCurrentValues As New CurrentValues
            Dim oPromptValue(gstrReportParameters.GetUpperBound(0)) As BusinessObjects.DSWS.BIPlatform.Desktop.PromptValue
            Dim c As Integer
            For c = 0 To oPromptValue.GetUpperBound(0)
                oPromptValue(c) = New BusinessObjects.DSWS.BIPlatform.Desktop.PromptValue
                oPromptValue(c).Data = gstrReportParameters(c)
            Next
            oCurrentValues.CurrentValue = oPromptValue
            repParams(0).CurrentValues = oCurrentValues
            bipService.Schedule(oInfoObjects)
        Catch ex As DSWSException
            Console.Error.WriteLine(ex)
            Console.Error.WriteLine(ex.CauseDetail)
            Throw
        Finally
            If Not wSession Is Nothing Then
                wSession.Logout()
            End If
            Console.Write("Done")
        End Try
    End Sub
End Class

Similar Messages

  • HT1766 I cannot backup my iphone, it keeps telling me the backup is corrupt and not compatible. All forums have suggested I delete the last backup but that was months ago and I'm afraid if I do that and it still doesn't work, I won't have anything saved

    I cannot backup my iphone, it keeps telling me the backup is corrupt and not compatible. All forums have suggested I delete the last backup but that was months ago and I'm afraid if I do that and it still doesn't work, I won't have anything saved. Can anyone help?

    Try to connect in recovery mode, explained in this article:
    iOS: Unable to update or restore
    Before that, back up your device, explained here:
    iOS: Back up and restore your iOS device with iCloud or iTunes
    How to back up your data and set up as a new device
    You can check your warranty status here:
    https://selfsolve.apple.com/agreementWarrantyDynamic.do

  • Is it possible since I updated snow leopard to mountain lion that my isight mic doesn't work properly my voice sound like a robot

    is it possible since I updated snow leopard to mountain lion that my isight mic doesn't work properly my voice sound like a robot

    is it possible since I updated snow leopard to mountain lion that my isight mic doesn't work properly my voice sound like a robot

  • Using Mt Lion, I find that my trash removal doesn't work on any of my iMacs. (two iMac and one Mac Air)

    Using Mt Lion, 10.8.3, I find that my trash removal doesn't work on eithe unlocked or locked files. I have tries manuelly unlocking files and even that doesn't work. The trash disposal goes through the motions of counting the files and, then, doing the file subtaction from the count and at the end, it starts to go into negative numbers and never stops. However, nothing has happened to the trash.  What's going on and how do I correct it. I have tries clean installs of the operating system and still nothing changes.

    Relaunch the Finder, then from the Finder menu bar, select
    Finder ▹ Preferences ▹ Advanced
    and uncheck the box marked Empty Trash securely. Try again to empty the Trash.

  • My camera is not working. the app doesn't work

    Hi dear, My camera is not working. the app doesn't work: I'can't open the app either. It only works using skype, facing me. On the correct side is frozen. tks, bye, Federica

    Have you tried force quitting the Camera app? http://support.apple.com/kb/ht5137
    If that fails:
    Try doing a hard reset: Press and hold both the Home button and the Sleep/wake button simultaneously for about 15 seconds and release when the Apple logo appears. If that doesn't solve the issue, you could also try backing up the device and restoring the device as new. If that doesn't solve the issue, the device may need service.
    Follow the steps in: http://support.apple.com/kb/HT4137
    NB: set up as a NEW device because a software issue will be in the backup. If the issue persists after restoring as new, you should offer the device for service.
    If you're not able to restore the device, this one might help: http://support.apple.com/kb/HT1808
    Good luck

  • Upload working fine, download doesn't work

    Upload working fine, download doesn't work on my PC

    Sign in at OVI from a PC or laptop and Reinstall Ovi Store on your device.
    ‡Thank you for hitting the Blue/Green Star button‡
    N8-00 RM 596 V:111.030.0609; E71-1(05) RM 346 V: 500.21.009

  • Ever since I upgraded to firefox 5, a site that required flash player doesn't work - it worked with the older version

    A site that worked on your old version doesn't work anymore. When I go to the page it says to download a plugin, but then it comes up with "no suitable plugins were found." I believe the site requires flash player. I have reinstalled it and it works with other programs that require it.

    I wasn't able to get to any of those sites without having serious hanging issues. I just uninstalled Flash, rebooted, then reinstalled it. Everything seems to be working fine now.

  • Can I use Factory re-set to fix that ? My Screen doesn't work when I put on mini display to HDMI My TV then set Mirror Main Screen.

    Last week I bought a miniDisplay to HDMI port. My macbookpro to SonyPlaystation 3D TV , it's work petty well on default setting. But when I set to Mirror setting, macbookpro screen turn to blue(more like computer is setting) then turn to normal and 1 second later turn to blue......that's a loop...never stop. only when I took out the miniDisplay to HDMI port, that stop...The TV doesn't have signal.
    I tried to delete apple.display.config files, but I can't find all of them( I already followed Apple support page article), so this way still doesn't work for me.
    what way can help me fix that?

    Disconnect the external monitor and any other third-party peripherals. Be sure to backup your files.
    Clean Install of Snow Leopard
         1. Boot the computer using the Snow Leopard Installer Disc.  Insert the disc into the
             optical drive and restart the computer.  After the chime press and hold down the
             "C" key.  Release the key when you see a small spinning gear appear below the
             dark gray Apple logo.
         2. After the installer loads select your language and click on the Continue
             button. When the menu bar appears select Disk Utility from the Utilities menu.
             After DU loads select the hard drive entry from the left side list (mfgr.'s ID and drive
             size.)  Click on the Partition tab in the DU main window.  Set the number of
             partitions to one (1) from the Partitions drop down menu, set the format type to Mac
             OS Extended (Journaled, if supported), then click on the Partition button.
         3. When the formatting has completed quit DU and return to the installer.  Proceed
             with the OS X installation and follow the directions included with the installer.
         4. When the installation has completed your computer will Restart into the Setup
             Assistant. Be sure you configure your initial admin account with the exact same
             username and password that you used on your old drive. After you finish Setup
             Assistant will complete the installation after which you will be running a fresh
             install of OS X.  You can now begin the update process by opening Software
             Update and installing all recommended updates to bring your installation current.

  • My 3g internet doesn't work anywhere.  I can get internet with wifi, but when I turn that off, the internet doesn't work at all.  Any ideas?

    I've already tried resetting the phone.  Nothing seems to work.  Occasionally the internet works fine, but most times, it doesn't work at all.

    Contact your carrier to ensure data access with your carrier's cellular network is provisioned properly with your line/number/account.

  • The screen doesn't work except on the bottom and i cant reboot it because my power button doesn't work, The screen doesn't work except on the bottom and i cant reboot it because my power button doesn't work

    I was in the middle of texting my mom and the screen stopped working! It only stopped working in the middle but i can't even turn it back on because my password numbers won't work when i touch them! I also cannot reboot my ipod because the power button doesn't work! I need help on fixing this problem please!!

    Try as best you can with broken button.:
    - iOS: Not responding or does not turn on
    Place the iPod in recovery mode using one of these programs:
    For PC
    RecBoot: Easy Way to Put iPhone into Recovery Mode
    If necessary:
    Download QTMLClient.dll & iTunesMobileDevice.dll for RecBoot
    For MAC or PC
    The Firmware Umbrella - TinyUmbrella
    - If not successful and you can't fully turn the iOS device fully off, let the battery fully drain. After charging for an least an hour try the above again.
    - Try on another computer
    - If still not successful that usually indicates a hardware problem and an appointment at the Genius Bar of an Apple store is in order.
    Apple Retail Store - Genius Bar       

  • Edit in Photoshop from Lightroom doesn't work; Automate Photomerge doesn't work

    Edit in Photoshop from Lightroom doesn't work.
    It opens the Photoshop application with all the menus/windows, but it never opens the actual image I chose to work on.
    Likewise,  I also can't automate>Photomerge ...  I pick all the images for the PHotomerge and hit "okay," but nothing happens.   Makes me think it's  Photoshop, not Lightroom, that is all wacky.
    I'm on a Mac, using OS X Yosemite, 10.10.1  Lightroom is version 5.7  Photoshop is CS5, version 12.0.4
    I uninstalled Photoshop CS5 and reinstalled. No change.  I also tried dumping PS preferences, but that didn't affect a thing, either.

    None of my "Edit In" worked with the pictures in Lightroom for a particular folder. I expanded the 2014 folder and found that two subfolders had a "?" in front of the 2014-07-04" and another. In other words, the folder was missing. After I found the missing folders using the Lightroom "Find Missing Folder" option, I was able to use the "Edit In" menu item. The 2014 folders weren't expanded at first, so I didn't see the ? marks in front of them. With the missing folders, Lightroom's "Edit In" option was basically telling me there was no picture to "Edit In." Howerver, I have Previews and Smart Previews made when I import picture files into Lightroom. So, the "pictures" showed in the slide strip on the bottom, and also in the display in "expand," but it was actually only showing the previews I had built, not the actual missing pictures in the missing folders. I had accidentally moved some directories using Windows Explorer, and I didn't realize my "happy fingers" moved them outside of Lightroom. Of course, Lightroom has no way of knowing I moved them, and just shows the "?" before the missing folder name. After expanding the root folder, then knew what to do. Fixed it easily. It was frustrating, and took about 20 minutes to see the problem. And that fixed the greyed-out "Edit In" Photoshop CC 2014, and all the other plug-ins were greyed out too.
    Hope this fixes your problem.
    Mike

  • Puase dialing doesn't work, puase dialing doesn't work

    I have inserted "pause" but it doesn't work. 

    So, when you try to use voice dialing it never says "say a command..." ?
    1. Please thank those who help you by clicking the "Like" button at the bottom of the post that helped you.
    2. If your issue has been solved, please resolve it by marking the post "Solution?" which solved it for you!

  • What's going on with ios8... Screen rotate does not work anymore, wifi doesn't work very well anymore and apps are crashing or running slow... Come on Apple sort this mess out

    ssince I updated my iPhone 5s to ios8 ive had nothing but problems...
    first the the screen rotation is not working... Checked the settings and  lock is off.... The wifi is intermittent, some times it works sometimes it doesn't....
    the he iPhone is really slow now, like really labouring.... It hangs and crashes all the time.... I have to close apps down completely because they won't work from quick launch anymore.... Even writing this the phone is labouring.... It's like my old 48k spectrum.... I don't expect this from Apple and when you spend £400-500 on a phone you expect it to work and play propperly....  come on Apple you need to sort out this mess of a update.... Ios 7 was no bother......

    Same issue here... iphone5S 64GB.  It's intermittent.  Sometimes the rotation works fine, sometimes it doesn't, but most of the time it doesn't work.
    The first time I figured out it wasn't working was when all newly-taken photos and videos were showing up in portrait mode though I always hold in landscape mode when photographing.
    Rotation lock is disabled (tried toggling it on and off).  Tried recalibrating the compass on a whim, no effect (although my compass seems to always require calibration when it's launched now).
    This issue only started happening after upgrading to iOS8.  I did a reset/restore through iTunes rather than an OTA upgrade.
    UPDATE - power-cycling the phone seems to fix it temporarily.

  • Worker Role problems (doesn't work without debugging)

    Hello,
    I upgraded the OS Version up to 3 last week and everything worked OK. But yesterday worker role stopped working. Windows Azure manager showed that service started up OK. I tried to find problem in code and found out that Worker Role works just great during
    the debug only. 
    Here is ServiceDefinition.csdef code:
    <?xml version="1.0" encoding="utf-8"?>
    <ServiceDefinition name="Workers" xmlns="http://schemas.microsoft.com/ServiceHosting/2008/10/ServiceDefinition" schemaVersion="2013-03.2.0">
    <WorkerRole name="EventsProcessor" vmsize="ExtraSmall">
    <Startup>
    <Task commandLine="startup\regeventsrc.cmd" executionContext="elevated" taskType="simple" /> <!-- Here is code: EVENTCREATE /L Application /T Information /ID 123 /SO "FSPLogging" /D "FSP Logging Enabled" -->
    </Startup>
    <Imports>
    <Import moduleName="RemoteAccess" />
    <Import moduleName="RemoteForwarder" />
    </Imports>
    <LocalResources>
    <LocalStorage name="ZipContainer" cleanOnRoleRecycle="true" sizeInMB="12000" />
    <LocalStorage name="CrashDumpsContainer" cleanOnRoleRecycle="false" sizeInMB="1024" />
    </LocalResources>
    </WorkerRole>
    </ServiceDefinition>
    Can someone please help? What should I check first?
    Thanks!

    Hi Alex,
    Thank you for advice. I copied the exact connection string from the Azure Management Portal and Worker Role started to work.
    Old connection string was:
       connectionString="Data Source=xxx.database.windows.net;Pooling=false;Initial Catalog={dbName}; User ID={userName}; Password={password};"
    The new one is:
       connectionString="Server=tcp:xxx.database.windows.net,1433;Database={dbName};User ID={userName}@xxx;Password={password};Trusted_Connection=False;Encrypt=True;Connection Timeout=30;"
    Anyway sometimes (very rarely... once in a 2-3 hours) I get next error:
    "System.Data.SqlClient.SqlException (0x80131904): A network-related or instance-specific error occurred while establishing a connection to SQL Server. The server was not found or was not accessible. Verify that the instance name is correct and that SQL
    Server is configured to allow remote connections. (provider: TCP Provider, error: 0 - A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed
    to respond.) ---> System.ComponentModel.Win32Exception (0x80004005): A connection attempt failed because the connected party did not properly respond after a period of time, or established connection failed because connected host has failed to respond"
    Probably do you have some ideas regarding this?
    Thanks a lot
    Alex

  • OCI works but OCCI doesn´t work

    Hi,
    I am developing a component of a project to execute a pool of inserts to a DB.
    I installed the instant client 10g, headers and the occi for linux.
    When I execute the example of oci (cdemo81) it runs OK but when I execute the occi example occidml it crash and aborted.
    Do you have a suggestion why the OCCI doesn't´ work?
    Thanks,
    Mikel

    I try to execute the example 10g Release 1
    and I´ve got this error :(
    link.once ? Do you know what is happening?
    g++ -DHAVE_CONFIG_H -I. -I. -I.. -Wnon-virtual-dtor -Wno-long-long -Wundef -Wall -pedantic -W -Wpointer-arith -Wwrite-strings -ansi -D_XOPEN_SOURCE=500 -D_BSD_SOURCE -Wcast-align -Wconversion -Wchar-subscripts -O2 -O0 -g3 -Wall -Wformat-security -Wmissing-format-attribute -fno-exceptions -fno-check-new -fno-common -c -o main.o `test -f 'main.cpp' || echo './'`main.cpp
    /bin/sh ../libtool silent mode=link --tag=CXX g++ -Wnon-virtual-dtor -Wno-long-long -Wundef -Wall -pedantic -W -Wpointer-arith -Wwrite-strings -ansi -D_XOPEN_SOURCE=500 -D_BSD_SOURCE -Wcast-align -Wconversion -Wchar-subscripts -O2 -O0 -g3 -Wall -Wformat-security -Wmissing-format-attribute -fno-exceptions -fno-check-new -fno-common -o oci main.o
    main.o(.gnu.linkonce.t._ZN8occicollC1ESsSsSs+0x44): In function `occicoll::occicoll(std::basic_string<char, std::char_traits<char>, std::allocator<char> >, std::basic_string<char, std::char_traits<char>, std::allocator<char> >, std::basic_string<char, std::char_traits<char>, std::allocator<char> >)':
    /usr/include/c++/3.2.3/bits/stl_algo.h:298: undefined reference to `oracle::occi::Environment::createEnvironment(oracle::occi::Environment::Mode, void*, void* (*)(void*, unsigned int), void* (*)(void*, void*, unsigned int), void (*)(void*, void*))'
    main.o(.gnu.linkonce.t._ZN8occicollD1Ev+0x2e): In function `occicoll::~occicoll()':
    /home/vientoloco/nuevatel/oci/kdevelop/oci/oci/main.cpp:100: undefined reference to `oracle::occi::Environment::terminateEnvironment(oracle::occi::Environment*)'
    main.o(.gnu.linkonce.t._ZN8occicoll9insertRowEv+0x24f): In function `occicoll::insertRow()':
    /home/vientoloco/nuevatel/oci/kdevelop/oci/oci/main.cpp:180: undefined reference to `oracle::occi::setVector(oracle::occi::Statement*, unsigned int, std::vector<std::basic_string<char, std::char_traits<char>, std::allocator<char> >, std::allocator<std::basic_string<char, std::char_traits<char>, std::allocator<char> > > > const&, std::basic_string<char, std::char_traits<char>, std::allocator<char> > const&)'
    main.o(.gnu.linkonce.t._ZN8occicoll14displayAllRowsEv+0x1b9): In function `__gnu_cxx::__normal_iterator<std::basic_string<char, std::char_traits<char>, std::allocator<char> >*, std::vector<std::basic_string<char, std::char_traits<char>, std::allocator<char> >, std::allocator<std::basic_string<char, std::char_traits<char>, std::allocator<char> > > > > std::find<__gnu_cxx::__normal_iterator<std::basic_string<char, std::char_traits<char>, std::allocator<char> >*, std::vector<std::basic_string<char, std::char_traits<char>, std::allocator<char> >, std::allocator<std::basic_string<char, std::char_traits<char>, std::allocator<char> > > > >, std::basic_string<char, std::char_traits<char>, std::allocator<char> > >(__gnu_cxx::__normal_iterator<std::basic_string<char, std::char_traits<char>, std::allocator<char> >*, std::vector<std::basic_string<char, std::char_traits<char>, std::allocator<char> >, std::allocator<std::basic_string<char, std::char_traits<char>, std::allocator<char> > > > >, __gnu_cxx::__normal_iterator<std::basic_string<char, std::char_traits<char>, std::allocator<char> >*, std::vector<std::basic_string<char, std::char_traits<char>, std::allocator<char> >, std::allocator<std::basic_string<char, std::char_traits<char>, std::allocator<char> > > > >, std::basic_string<char, std::char_traits<char>, std::allocator<char> > const&, std::random_access_iterator_tag)':
    /usr/include/c++/3.2.3/bits/stl_vector.h:916: undefined reference to `oracle::occi::getVector(oracle::occi::ResultSet*, unsigned int, std::vector<std::basic_string<char, std::char_traits<char>, std::allocator<char> >, std::allocator<std::basic_string<char, std::char_traits<char>, std::allocator<char> > > >&)'
    main.o(.gnu.linkonce.t._ZN8occicoll9deleteRowEiSs+0x178):/usr/include/c++/3.2.3/bits/stl_vector.h:906: undefined reference to `oracle::occi::getVector(oracle::occi::ResultSet*, unsigned int, std::vector<std::basic_string<char, std::char_traits<char>, std::allocator<char> >, std::allocator<std::basic_string<char, std::char_traits<char>, std::allocator<char> > > >&)'

Maybe you are looking for

  • Sharing iPhoto library over network between two Macs

    I would like to edit/create albums via sharing. I can easily share photos between my two Macs via sharing, but I can't move photos between albums, can't create new albums, etc. (I would like to be able to use my laptop in our home network to modify t

  • I need to tranfer music from my iPod to my iTunes Library.

    I really need someone's help bad. Rececently my computer crashed and I lost all of my music in my iTunes library. I still have it all loaded onto my iPod. The problem is that most of my music was not purchased thru the iTunes store so I can't transfe

  • Java won't open in ie

    embedded microchip. using digi web browser appliance. using ie to contact ip address, gets to loading java script and get following: Java Plug-in 1.6.0_10-rc Using JRE version 1.6.0_10-rc Java HotSpot(TM) Client VM User home directory = C:\Documents

  • Screen sharing drive access problem

    I have a Mac Mini I'm using as a media server. This mini has 2 hard drives and Mavericks installed in it.   When I access the mini via screen sharing from my MacBook Air, if an no longer access the 2nd hard drive.  It appears, and I can open the hard

  • REP-3300: Fatal error in Toolkit II (UI)  UI-1: Undefined failure in UI

    Hi, When I try to copy and paste in a REPORT, 9i. An error occured as: REP-3300: Fatal error in Toolkit II (UI) UI-1: Undefined failure in UI Any suggestions how to deal with it? Thank you in advance. Jimmy