Oracle's SQL select should have a syntax like this

Oracles SQL is very powerful but lacks a basic thing the LIMIT and OFFSET syntax which
is present in postgres sql, I recommend oracle to support this syntax in future release.
more details of this syntax can be found at :
http://www.postgresql.org/idocs/index.php?sql-select.html
SELECT [ ALL | DISTINCT [ ON ( expression [, ...] ) ] ]
* | expression [ AS output_name ] [, ...]
[ FROM from_item [, ...] ]
[ WHERE condition ]
[ GROUP BY expression [, ...] ]
[ HAVING condition [, ...] ]
[ { UNION | INTERSECT | EXCEPT } [ ALL ] select ]
[ ORDER BY expression [ ASC | DESC | USING operator ] [, ...] ]
[ FOR UPDATE [ OF tablename [, ...] ] ]
[ LIMIT { count | ALL } ]
[ OFFSET start ]

I've executed the above queries against my table and the results follows :
The structure of the table
Name Null? Type
FATWAID NOT NULL NUMBER(11)
FATWASTATUS NUMBER(1)
SUBJ_NO NUMBER(4)
LANG CHAR(1)
SCHOLAR NUMBER(2)
REVIEWER NUMBER(2)
AUDITOR NUMBER(2)
PUBLISHER NUMBER(2)
SUBSCRIBER NUMBER(2)
ENTRY NUMBER(2)
FATWATITLE VARCHAR2(100)
FATWATEXT CLOB
FATWADATE DATE
TRANSLATE CHAR(1)
SELECTED NUMBER(1)
SUBJ_MAIN NUMBER(4)
I have set timing on and executed each query above, following are the statistics.
First the number of rows in the table.
SQL>set timing on
SQL>select count (*) from fatwa;
COUNT(*)
1179651
Elapsed: 00:00:13.05
The query of Andrew Clarke
SQL>SELECT fatwaid FROM (SELECT fatwaid, rownum as ranking FROM fatwa) r
WHERE r.ranking BETWEEN &OFFSET AND &LIMIT
SQL>/
Enter value for offset: 100000
Enter value for limit: 100009
old 2: WHERE r.ranking BETWEEN &OFFSET AND &LIMIT
new 2: WHERE r.ranking BETWEEN 100000 AND 100009
FATWAID
96592
96593
96594
96595
96596
96597
96598
96599
96600
96601
10 rows selected.
Elapsed: 00:00:12.02
SQL> /
Enter value for offset: 1000000
Enter value for limit: 1000009
old 2: WHERE r.ranking BETWEEN &OFFSET AND &LIMIT
new 2: WHERE r.ranking BETWEEN 1000000 AND 1000009
FATWAID
994621
994622
994623
994624
994625
994626
995769
995770
995771
995772
10 rows selected.
Elapsed: 00:00:12.00
The response time is decreasing because of use of bind variables,
but 12 seconds is a sign of poor performance.
Now a slight modification to Clarke's query
I will add order by clause
SQL> ed
Wrote file afiedt.buf
1 SELECT fatwaid FROM (SELECT fatwaid, rownum as ranking FROM fatwa ORDER BY fatwaid) r
2* WHERE r.ranking BETWEEN &OFFSET AND &LIMIT
SQL> /
Enter value for offset: 100001
Enter value for limit: 100010
old 2: WHERE r.ranking BETWEEN &OFFSET AND &LIMIT
new 2: WHERE r.ranking BETWEEN 100001 AND 100010
FATWAID
100032
100033
100034
100035
100036
100037
100038
100039
100040
100041
10 rows selected.
Elapsed: 00:00:04.00 -- time reduced from 12 to 4 seconds
A time of 4 seconds is acceptable but not good,
response time should be in milli seconds.
SQL> /
Enter value for offset: 1000001
Enter value for limit: 1000010
old 2: WHERE r.ranking BETWEEN &OFFSET AND &LIMIT
new 2: WHERE r.ranking BETWEEN 1000001 AND 1000010
FATWAID
1000032
1000033
1000034
1000035
1000036
1000037
1000038
1000039
1000040
1000041
10 rows selected.
Elapsed: 00:00:03.09 -- this reduction is because of bind variables
The query of Chris Gates
SQL>select fatwaid
2 from ( select a.*, rownum r
3 from ( select *
4 from fatwa
5 --where x = :host_variable
6 order by fatwaid ) a
7 where rownum < &HigerBound )
8 where r > &LowerBound
SQL> /
Enter value for higerbound: 100011
old 7: where rownum < &HigerBound )
new 7: where rownum < 100011 )
Enter value for lowerbound: 100000
old 8: where r > &LowerBound
new 8: where r > 100000
FATWAID
100032
100033
100034
100035
100036
100037
100038
100039
100040
100041
10 rows selected.
Elapsed: 00:00:02.04
This seems to be fast
SQL> /
Enter value for higerbound: 1000011
old 7: where rownum < &HigerBound )
new 7: where rownum < 1000011 )
Enter value for lowerbound: 1000000
old 8: where r > &LowerBound
new 8: where r > 1000000
FATWAID
1000032
1000033
1000034
1000035
1000036
1000037
1000038
1000039
1000040
1000041
10 rows selected.
Elapsed: 00:01:14.02
but this is worst when upper bound is 1 million.
Finally Myers query
SQL> select fatwaid from
2 (select /*+ INDEX(fawtaid pk_fatwa) */ fatwaid, rownum x from fatwa
3 where rownum < &UpperBound )
4 where x > &LowerBound;
Enter value for upperbound: 100011
old 3: where rownum < &UpperBound )
new 3: where rownum < 100011 )
Enter value for lowerbound: 100000
old 4: where x > &LowerBound
new 4: where x > 100000
FATWAID
122418
122419
122420
122421
122422
122423
122424
122425
122426
122427
10 rows selected.
Elapsed: 00:00:00.03 -- too fast
SQL> /
Enter value for upperbound: 1000011
old 3: where rownum < &UpperBound )
new 3: where rownum < 1000011 )
Enter value for lowerbound: 1000000
old 4: where x > &LowerBound
new 4: where x > 1000000
FATWAID
984211
984212
984213
984214
984215
984216
984217
984218
984219
984220
10 rows selected.
Elapsed: 00:00:02.02 -- with 1 million rows also satisfactory but it is not is milliseconds
The same query after using order by clause
SQL> select fatwaid from
2 (select /*+ INDEX(fawtaid pk_fatwa) */ fatwaid, rownum x from fatwa
3 where rownum < &UpperBound ORDER BY fatwaid)
4 where x > &LowerBound;
Enter value for upperbound: 100011
old 3: where rownum < &UpperBound ORDER BY fatwaid)
new 3: where rownum < 100011 ORDER BY fatwaid)
Enter value for lowerbound: 100000
old 4: where x > &LowerBound
new 4: where x > 100000
FATWAID
100032
100033
100034
100035
100036
100037
100038
100039
100040
100041
10 rows selected.
Elapsed: 00:00:00.06
SQL> /
Enter value for upperbound: 1000011
old 3: where rownum < &UpperBound ORDER BY fatwaid)
new 3: where rownum < 1000011 ORDER BY fatwaid)
Enter value for lowerbound: 1000000
old 4: where x > &LowerBound
new 4: where x > 1000000
FATWAID
1000032
1000033
1000034
1000035
1000036
1000037
1000038
1000039
1000040
1000041
10 rows selected.
Elapsed: 00:00:07.03 -- slow
SQL> /
Enter value for upperbound: 1000011
old 3: where rownum < &UpperBound ORDER BY fatwaid)
new 3: where rownum < 1000011 ORDER BY fatwaid)
Enter value for lowerbound: 1000000
old 4: where x > &LowerBound
new 4: where x > 1000000
FATWAID
1000032
1000033
1000034
1000035
1000036
1000037
1000038
1000039
1000040
1000041
10 rows selected.
Elapsed: 00:00:00.06
when I execute the same query again it is bringing records from
the SGA so it is very fast
Now which one to choose from ?
Andrew and Myers queries are good and currently I am using
Myers query.
There should be some technique to do this in the most efficient way.
any input is appreciated.

Similar Messages

  • I have everything set for Arabic fonts and the keyboard as well. When I type in WORD or EXCEL I just get individual Arabic letters, but they never connect, they should be for example like this   الس    but they always appear like that ا ل س

    I have everything set for Arabic fonts and the keyboard as well. When I type in WORD or EXCEL I just get individual Arabic letters, but they never connect, they should be for example like this   الس    but they always appear like that ا ل س

    MS Word for Mac has never supported Arabic.  You have to use other apps.  Mellel is best, but Pages 5, TextEdit, Nisus Writer, or Open/LibreOffice should work OK.
    Sometimes you can make Word for Mac do connected Arabic if you are editing a document created with Windows Word.

  • My ipod is no longer keeping my tv shows in order, or returning to where i left off when watching an episode.  Anyone have a problem like this?

    My ipod is no longer keeping my tv shows in order, or returning to where i left off when watching an episode.
    I have deleted them and re-added from my computer.  On my computer, when plugged into Itunes,
    they show as in order by air date--on my ipod, they are random.  Also, my shows are not
    restarting where I last left off--they are going back to the beginning, so I have to fast forward!
    Very frustrating!  Anyone have a problem like this?

    You have to enter the Apple ID and password. You are running into the Activation Lock
    iCloud: Find My iPhone Activation Lock in iOS 7
    Is there a way to find my Apple ID Name if I can't remember it?
    Yes. Visit My Apple ID and click Find your Apple ID. See Finding your Apple ID if you'd like more information.
    How do I change or recover a forgotten Apple ID Password?
    If you've forgotten your Apple ID Password or want to change it, go to My Apple ID and follow the instructions. SeeChanging your Apple ID password if you'd like more information.

  • I have a problem, all the pictures turns grey when i open a document, i have a Mac computer if that can be any help.. Please can somebody tell me what i am doing wrong. It have not been like this before i have started now??

    I have a problem, all the pictures turns grey when i open a PDF document in acrobat xl pro, iy have not been like this before it started a few days ago. Before it did help if i closed the program but that does not work anymore??

    Now it works!!!! THANK YOU VERY MUSH!!! You made my holiday!! Now i can work! ; )) Happy new year to you!!!

  • Firefox is crashing every time I open it. A box pops up with options to load several add-ons, then it crashes. You should have several reports on this already.

    As per the above, every time I open Firefox, a box appears on the left, offering me the option to update certain add-ons. It then crashes. end of story!

    https://support.mozilla.com/en-US/kb/Firefox+crashes#Getting_help_with_your_crash
    Type '''about:crashes''' in the URL bar and hit Enter. <br />
    Click the hyperlinks to bring up the Crash Report pages and copy'n'paste the URL of each of those reports into the message box here. We'll see if we can help you figure out what is causing those crashes to happen.

  • When I try to open iTunes,it tries to start but than I get a message stating-iTunes has stopped working , close the program. Does anyone have a problem like this? I'm using windows 7 compatibility turned off.

    I'm using a Dell PC with windows 7. Apple Store cannot open completely. An error message states- iTunes has stopped working, close the program.
    I have spoken to at least 3 Techs with no solutions found for this problem. Compatibility mode turned off. Newest Download from Apple site.

    See HT203206: iTunes for Windows Vista, Windows 7, or Windows 8: Fix unexpected quits or launch issues.
    For general advice see Troubleshooting issues with iTunes for Windows updates.
    The steps in the second box are a guide to removing everything related to iTunes and then rebuilding it which is often a good starting point unless the symptoms indicate a more specific approach. Review the other boxes and the list of support documents further down the page in case one of them applies.
    The further information area has direct links to the current and recent builds in case you have problems downloading, need to revert to an older version or want to try the iTunes for Windows (64-bit - for older video cards) release as a workaround for installation or performance issues, or compatibility with QuickTime or third party software.
    Your library should be unaffected by these steps but there are also links to backup and recovery advice should it be needed.
    tt2

  • Just bought iBook, should the screen be like this?

    I just bought a brand new 12" iBook and the screen appears to be slightly 'graduated'. That is that it is slightly darker at the top then the screen gets to a slightly lighter shade at the bottom making the dock look slightly pale and soft and lighter, compaired to the top part of the screen, which is a tad darker and more contrasty with better colour punch.
    Slightly anoying. I also noticed that the actual screen appears to be slightly 'warped'. Looking at it from the side, the back part of the lid is touching the base of the computer, but the front part is a few mm higher with a slight bow in the middle, the other side has this too, but not as bad?
    Are these two characteristics normal or is mine a bit faulty?

    Hi! I've seen some commentary about different user's iBookG4 12.1"
    displays; some about color and gradient irregularities, and a few about
    having a marked varigated brightness/dullness across their screens
    even though the desktop background was supposedly all one shade.
    Yours is new; if this issue is an immediately known one, see about
    taking it back to the seller; or call AppleCare or Sales Support if you
    are unable to take it into where you bought it right away. Apple may
    be able to get something done for you some resellers may not.
    The iBookG4 Displays Discussion may be a place to read of some
    other observations and perhaps a few thoughts in settings and maybe
    (as needed?) having a certified technician inspect the machine to see
    if this issue warrants some component testing and/or AppleCare repair.
    See iBook Displays:
    http://discussions.apple.com/forum.jspa?forumID=919
    [My iBookG4 12" appears to be fine, but then I don't use it all the time.
    The first optional accessory purchased for mine was AppleCare; the
    second was a 1024MB Samsung/Apple RAM upgrade chip. It does OK.]
    For your own peace of mind and to be sure a timely repair or replacement
    of the part or the machine can be done, you should contact AppleCare
    directly; perhaps even Sales Support on this "first quality" or "initial
    quality" issue. If you have just bought it, and less than 10 days have
    gone by, they should be able to offer you some satisfactory outcome.
    I'd see about getting either another iBookG4 or a fast repair.
    Good luck in this; keep a cool head and be patient with those people!

  • Should my UL behave like this?

    Ok this is not really a "problem question" but more of a
    general "is this element behaving correctly?" question..
    I have created a new masthead section for my site, and have
    used a right-floated UL called "rightlist" with a background image.
    The UL uses padding-bottom of 46px to make the image appear fully.
    Using the padding-bottom causes the UL to "overlap" the DIV's
    positioned directly below and allows for a nice fluid layout.
    My question is - Should the UL with the padding-bottom of
    46px be overlapping the DIV below? I always thought it should
    "push" the div lower down and not overlap. But I am happy with it
    doing the overlapping becuase it is giving me the effect I want to
    acheive!
    I have highlighted the top right-floated UL with the image in
    GREEN border, and the DIV in BLUE border so you can see what I mean
    UL example

    ~Billy~ wrote:
    > Ok this is not really a "problem question" but more of a
    general "is this
    > element behaving correctly?" question..
    >
    > I have created a new masthead section for my site, and
    have used a
    > right-floated UL called "rightlist" with a background
    image. The UL uses
    > padding-bottom of 46px to make the image appear fully.
    Using the padding-bottom
    > causes the UL to "overlap" the DIV's positioned directly
    below and allows for a
    > nice fluid layout.
    >
    > My question is - Should the UL with the padding-bottom
    of 46px be overlapping
    > the DIV below? I always thought it should "push" the div
    lower down and not
    > overlap. But I am happy with it doing the overlapping
    becuase it is giving me
    > the effect I want to acheive!
    >
    > I have highlighted the top right-floated UL with the
    image in GREEN border,
    > and the DIV in BLUE border so you can see what I mean -
    >
    >
    http://www.siteoftom.com/example.html
    >
    To see what you expect to see, try adding height: 46px; to
    that rule -
    now you see what is happening?
    Now make the padding for this rule - padding: 0; :-)
    HTH
    chin chin
    Sinclair

  • Can SQL Server Reporting plot the chart like this ... ?!

    Hi,
    As titled, thanks ...

    Hi kkcci88888,
    According to your description, you want to create a chart with different data point markers.
    In Reporting Services, there are several data point marker types(like Square, Circle) for us to customize a chart. However, it’s not supported to specify the  marker type with a short vertical, or a cross combine with a short vertical line. In your
    scenario, if you want to specify data point markers for different fields, you can select those build-in marker types in Series Properties pane.
    If you have any question, please feel free to ask.
    Best regards,
    Qiuyun Yu
    Qiuyun Yu
    TechNet Community Support

  • How to have a script like this in javascript

    I have this script in VB, can anyone help woth the syntax in
    javascript ?
    <% If Session("variable") <> "" Then %>
    Whatever here ....
    <% End If %>

    <% if (Session("variable") != ""){ %>
    Whatever here ....
    <% } %>
    The <% %> is VBScript, no?
    Murray --- ICQ 71997575
    Adobe Community Expert
    (If you *MUST* email me, don't LAUGH when you do so!)
    ==================
    http://www.dreamweavermx-templates.com
    - Template Triage!
    http://www.projectseven.com/go
    - DW FAQs, Tutorials & Resources
    http://www.dwfaq.com - DW FAQs,
    Tutorials & Resources
    http://www.macromedia.com/support/search/
    - Macromedia (MM) Technotes
    ==================
    "Thierry | www.TJKDesign.com" <[email protected]>
    wrote in message
    news:eiu52j$ae8$[email protected]..
    > Murray *ACE* wrote:
    >> I didn't realize you could use the braces like that
    in VBScript....
    >
    > Murray,
    > Do you mean *Javascript*? Because what I posted is
    Javascript, not
    > VBScript...
    >
    > --
    > Thierry
    > Articles and Tutorials:
    http://www.TJKDesign.com/go/?0
    > The perfect FAQ page:
    http://www.TJKDesign.com/go/?9
    > CSS-P Templates:
    http://www.TJKDesign.com/go/?1
    > CSS Tab Menu:
    http://www.TJKDesign.com/go/?3
    >
    >> "Thierry | www.TJKDesign.com"
    <[email protected]> wrote in
    >> message news:eitk1c$ljv$[email protected]..
    >>> Alejandro wrote:
    >>>> I have this script in VB, can anyone help
    woth the syntax in
    >>>> javascript ?
    >>>>
    >>>> <% If Session("variable") <> ""
    Then %>
    >>>>
    >>>> Whatever here ....
    >>>>
    >>>> <% End If %>
    >>>
    >>> Try this:
    >>>
    >>> <% if (Session("variable") != ""){ %>
    >>> Whatever here ....
    >>> <% } %>
    >>>
    >>> --
    >>> Thierry
    >>> Articles and Tutorials:
    http://www.TJKDesign.com/go/?0
    >>> The perfect FAQ page:
    http://www.TJKDesign.com/go/?9
    >>> CSS-P Templates:
    http://www.TJKDesign.com/go/?1
    >>> CSS Tab Menu:
    http://www.TJKDesign.com/go/?3
    >
    >

  • Why does iCal's appearance have to look like this?

    Why can't the columns be evenly lined up?
    This is the biggest flaw in iCal...

    Those appear to consist of many special symbols. You should suspect Font damage.
    Use Font Book to check and repair your Fonts, and eliminate duplicates.
    Mac Basics: Font Book

  • Text is so small and hard to read...should it really be like this?

    I have the 27 in screen- and must be the only person alive who is hating it.
    WHY is all the text so small now? One would think on a large screen it would be BIGGER not smaller?
    I came from a 14 in Dell monitor and everything was SO MUCH easier to read on there compared to teh 27 in screen.
    I realize I can zoom in on pages in safari, but I have to do that for each page. (pain in the butt).
    The text/words/buttons in photoshop are small as well, as in all my software I'm using.
    Please someone tell me there is a remedy to this so that I can operate my programs without having to use a binocular at the computer desk. I can't figure out why everything is so freaking small on a Ginormous screen.

    I think the short answer as to "why?" would be the monitor has a higher pixel density. You're probably running the monitor at its maximum native resolution (2560 x 1440). You could try one of its other resolutions (1920 x 1080 or 1280 x 720) but I don't think you'll be any happier with those either.
    Didn't you take a look at the monitor (or the 27" imac) in a local apple store before deciding to buy it?

  • I get jpeg and video attachments that turn into an email icon when I try to download them, anyone else have a problem like this?

    On my new iPad email I have an attachment download problem that started shortly after downloading the latest iOS system. When i receive an email with a picture or video file it has a dashed line around it. When I touch it to download it to view it the icon changes to a mail message icon hen the download completes. Then when I touch it again to open it a new mail message opens up with the attachment there to be sent to someone else.

    Thank you for replying cor-el.
    You actually brought up a good point I forgot to mention.
    I tried using forward slashes and other variations in the same manner, and they all didn't work in Firefox, but worked in Chrome and I.E.
    Taking the example:
    file:///\\svr-1\folder1\folder2\file.jpg
    I also tried:
    file://///svr-1\folder1\folder2\file.jpg
    file://///svr-1/folder1/folder2/file.jpg
    file://svr-1\folder1\folder2\file.jpg
    file://svr-1/folder1/folder2/file.jpg
    These links didn't work embedded in an email or on a webpage. For the case of the webpage, when the mouse cursor is hovering over the links, the jump bar indicates the correct link, but when clicked, nothing happens. When the links are copied and pasted into the address bar, they work.
    Thanks again.

  • TS4079 Lately, Since i downloaded the new software (5.1.1) my Siri has stopped working, she says she can't answer now, try again later.  i already have 2 months like this.  what's going on ??

    Please help

    Hi,
    My thought is to check the current IP of the server, as your smb.conf has the line interfaces = 192.168.1.109 which means samba will only listen on that interface for requests. If the IP of the server has changed, that would explain why samba isn't working.

  • Oracle 10gR2 64bit  odbc  from oracle to sql server  Win 2008 EE 64bits

    Hi, I am having trouble with a 10gR2 64bits creation of odbc from oracle to sql server, I have follow several instruction with no luck at all. My OS is windows 2008 EE 64bits on the oracle and sql server server.
    This is what I have done
    1. in the $oracle_home/hs/admin directory
    inithsodbc.ora
    # HS init parameters
    HS_FDS_CONNECT_INFO = hsodbc
    HS_FDS_TRACE_LEVEL = off
    2. in the $oracle_home/network/admin
    # listener.ora Network Configuration File: C:\oracle\product\10.2.0\db_1\network\admin\listener.ora
    # Generated by Oracle configuration tools.
    SID_LIST_LISTENER =
    (SID_LIST =
    (SID_DESC =
    (SID_NAME = PLSExtProc)
    (ORACLE_HOME = C:\oracle\product\10.2.0\db_1)
    (PROGRAM = extproc)
    (SID_DESC=
    (SID_NAME=hsodbc)
    (ORACLE_HOME=C:\oracle\product\10.2.0\db_1)
    (PROGRAM=C:\oracle\product\10.2.0\db_1\hs\hsodbc)
    LISTENER =
    (DESCRIPTION_LIST =
    (DESCRIPTION =
    (ADDRESS = (PROTOCOL = TCP)(HOST = xx.xx.xx.xx)(PORT = 1521))
    (ADDRESS = (PROTOCOL = IPC)(KEY = EXTPROC0))
    And the tnsname.ora
    # tnsnames.ora Network Configuration File: C:\oracle\product\10.2.0\db_1\network\admin\tnsnames.ora
    # Generated by Oracle configuration tools.
    PRUEBA =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = xx.xx.xx.xx)(PORT = 1521))
    (CONNECT_DATA =
    (SERVICE_NAME = prueba)
    hsodbc =
    (DESCRIPTION=
    (ADDRESS=(PROTOCOL=tcp)(HOST=xx.xx.xx.xx)(PORT=1521))
    (CONNECT_DATA=(SID=hsodbc))
    (HS=OK)
    I create the odbc connection an test it , the result is TEST PASSED
    4. The i create a database link on my database
    CREATE PUBLIC DATABASE LINK XYZ
    CONNECT TO "sysdba" IDENTIFIED BY "masterkey"
    USING 'hsodbc';
    5 execute a select
    SQL> select * from dual@XYZ;
    select * from dual@XYZ
    ERROR at line 1:
    ORA-28545: error diagnosed by Net8 when connecting to an agent
    Unable to retrieve text of NETWORK/NCR message 65535
    ORA-02063: preceding 2 lines from XYZ
    6. When I check the listener log i'm getting this error
    25-MAR-2011 11:48:40 * (CONNECT_DATA=(CID=(PROGRAM=)(HOST=)(USER=Administrator))(COMMAND=status)(ARGUMENTS=64)(SERVICE=LISTENER)(VERSION=169870592)) * status * 0
    25-MAR-2011 11:48:47 * (CONNECT_DATA=(SID=hsodbc)(CID=(PROGRAM=)(HOST=PRO)(USER=PRO\Administrator))) * (ADDRESS=(PROTOCOL=tcp)(HOST=xx.xx.xx.xx)(PORT=49329)) * establish * hsodbc * 12518
    TNS-12518: TNS:listener could not hand off client connection
    TNS-12560: TNS:protocol adapter error
    TNS-00530: Protocol adapter error
    Edited by: user626125 on Mar 26, 2011 11:39 AM
    Edited by: user626125 on Apr 12, 2011 2:49 PM

    Heterogeneous Connectivity

Maybe you are looking for

  • NI 845x USB: Error -301713 occurred at Property Node (arg 2) in General I2C Read.vi

    Hello, I am currently working  with digital accelerometer LIS35DE from ST Microelectronics. I want to start with tests of this device. For that purpose I used NI 845x USB to connect with accelerometer via I2C. Unfortunately, when I made electrical co

  • Open order & open quantity

    Hi I need to Develop a report which gives open orders number ,  open quantity , customer name. in VA05 is ther any possibility of getting open order quantity. Plz help

  • Anyone else's iPhone 5 shut down and ask you for your developer information?

    i did this and even re added it to my developer account. now its not letting me activate my phone

  • Ask Michael next Wednesday

    Hi everyone Every month I host a free Ask Michael Discoverer webinar. The next one is next Wednesday, May 13th, in which I will be covering some advanced uses of the analytic functions and conditions. This will be mainly an end user webinar. If you'd

  • User defined variable on Portal

    Every month I need to update all period filters when monthly tables are loaded so that all reports will reflect with new month information. The only way I could think of is to point all filters to a variable on BI portal so that I don't need to updat