Data Rate connection query / SNR

Hi All
I have BT Infinity upto 40MB at my local cabinet.
The BT checker says my line can get upto 24MB which I've always been happy with.
I have always got around the 19MB mark but looking at my connection stats I am wondering if I should get more speed?
My Data Rate for connection is always 19991 and SNR up is aroud 6 and SNR down is usually 15-20.
You can see my current connection stats in the table below.
I don't understand why the 'Attainable Rate' shows as '40867'.
Am I missing something simple?
Cheers for looking
Craig
VDSL
Link Status
Showtime
Firmware Version
1412f0
VDSL2 Profile
17a
Basic Status
Upstream
Downstream
Unit
Actual Data Rate
6799
19991
Kb/s
SNR
58
179
0.1dB
Advance Status
Upstream
Downstream
Unit
Actual delay
0
0
ms
Actual INP
0
0
0.1 symbols
15M CV
0
0
counter
1Day CV
16
81
counter
15M FEC
0
0
counter
1Day FEC
34
636
counter
Total FEC
283
13238678
counter
Previous Data Rate
6811
19991
Kbps
Attainable Rate
6799
40867
Kbps
Electrical Length
200
200
0.1 dB
SNR Margin
58
N/A
(US0,--) 0.1 dB
SNR Margin
59
180
(US1,DS1) 0.1 dB
SNR Margin
N/A
179
(US2,DS2) 0.1 dB
SNR Margin
N/A
N/A
(US3,DS3) 0.1 dB
SNR Margin
N/A
N/A
(US4,DS4) 0.1 dB
15M Elapsed time
20
20
secs
15M FECS
0
0
counter
15M ES
0
0
counter
15M SES
0
0
counter
15M LOSS
0
0
counter
15M UAS
0
0
counter
1Day Elapsed time
6321
6321
secs
1Day FECS
4
71
counter
1Day ES
7
56
counter
1Day SES
0
0
counter
1Day LOSS
0
0
counter
1Day UAS
76
76
counter
Total FECS
149
135577
counter
Total ES
7917
38096
counter
Total SES
13
76
counter
Total LOSS
0
10
counter
Total UAS
180
625
counter
Solved!
Go to Solution.

You can test your line here https://www.bt.com/consumerFaultTracking/public/faults/reporting.do?pageId=21
Is there any noise on the phone?
If you have a line fault, you need an engineer to fix it.
Once the instability is resolved, DLM will automatically raise the speed so your SNR Margin goes to 6 when you resync.
If you found this post helpful, please click on the star on the left
If not, I'll try again

Similar Messages

  • Date range related query needed

    I have table 'ratemast' with following columns and data
    begindate      enddate           rate1
    01-12-2006      10-12-2006     750.00
    11-12-2006      25-12-2006     950.00
    26-12-2006      02-03-2007     1500.00
    the data in begindate and enddate may fall between any date range.
    it may be for a week or for a month or even more than that.
    i need a query to do the following:
    my query will have begindate and enddate for any date range which is not defined in a single row of ratemast.
    I need to pick indiviudal date and its respective rate and sum them and it should be divided by number of days.
    eg:- if begindate: 09-12-2006 enddate: 13-12-2006
    result should be : (750+750+950+950+950)/5
    Please help.

    Hi,
    Here's one way... you may have to alter it to check for count(*) = 0 or any other corner cases.
    [email protected](152)> create table ratemast(begindate date, enddate date, rate number);
    Table created.
    Elapsed: 00:00:00.22
    [email protected](152)> insert into ratemast(begindate, enddate, rate)
    values (date '2006-12-01', date '2006-12-10', 750);
    1 row created.
    Elapsed: 00:00:00.01
    [email protected](152)> insert into ratemast(begindate, enddate, rate)
    values (date '2006-12-11', date '2006-12-25', 950);
    1 row created.
    Elapsed: 00:00:00.00
    [email protected](152)> insert into ratemast(begindate, enddate, rate)
    values (date '2006-12-26', date '2007-03-02', 1500);
    1 row created.
    Elapsed: 00:00:00.00
    [email protected](152)> commit;
    Commit complete.
    Elapsed: 00:00:00.04
    [email protected](152)> select * from ratemast
      2  /
    BEGINDATE ENDDATE         RATE
    01-DEC-06 10-DEC-06        750
    11-DEC-06 25-DEC-06        950
    26-DEC-06 02-MAR-07       1500
    Elapsed: 00:00:00.03
    [email protected](152)> var begin_date varchar2(10);
    [email protected](152)> var end_date varchar2(10);
    [email protected](152)> exec :begin_date := '2006-12-09';
    PL/SQL procedure successfully completed.
    Elapsed: 00:00:00.01
    [email protected](152)> exec :end_date := '2006-12-13';
    PL/SQL procedure successfully completed.
    Elapsed: 00:00:00.01
    [email protected](152)> @ed
    Wrote file TEST.BRANDT_152_20070315150352.sql
      1  with dates as (
      2     select to_date(:begin_date, 'YYYY-MM-DD') + level - 1 as d
      3     from dual
      4     connect by level <= to_date(:end_date, 'YYYY-MM-DD') - to_date(:begin_date, 'YYYY-MM-DD') + 1
      5  )
      6  select dates.d
      7  , r.rate
      8  from dates
      9  , ratemast r
    10* where dates.d between r.begindate and r.enddate
    [email protected](152)> /
    D               RATE
    09-DEC-06        750
    10-DEC-06        750
    11-DEC-06        950
    12-DEC-06        950
    13-DEC-06        950
    Elapsed: 00:00:00.02
    [email protected](152)> ed
    Wrote file TEST.BRANDT_152_20070315150352.sql
      1  with dates as (
      2     select to_date(:begin_date, 'YYYY-MM-DD') + level - 1 as d
      3     from dual
      4     connect by level <= to_date(:end_date, 'YYYY-MM-DD') - to_date(:begin_date, 'YYYY-MM-DD') + 1
      5  )
      6  select :begin_date
      7  , :end_date
      8  , avg(r.rate) as fee
      9  from dates
    10  , ratemast r
    11  where dates.d between r.begindate and r.enddate
    12* group by :begin_date
    [email protected](152)> /
    :BEGIN_DATE                      :END_DATE                               FEE
    2006-12-09                       2006-12-13                              870
    Elapsed: 00:00:00.01
    [email protected](152)> exec :end_date := '2007-01-15';
    PL/SQL procedure successfully completed.
    Elapsed: 00:00:00.01
    [email protected](152)> @ed
    Wrote file TEST.BRANDT_152_20070315151840.sql
      1  with dates as (
      2     select to_date(:begin_date, 'YYYY-MM-DD') + level - 1 as d
      3     from dual
      4     connect by level <= to_date(:end_date, 'YYYY-MM-DD') - to_date(:begin_date, 'YYYY-MM-DD') + 1
      5  )
      6  select dates.d
      7  , r.rate
      8  from dates
      9  , ratemast r
    10* where dates.d between r.begindate and r.enddate
    [email protected](152)> /
    D               RATE
    09-DEC-06        750
    10-DEC-06        750
    11-DEC-06        950
    12-DEC-06        950
    13-DEC-06        950
    14-DEC-06        950
    15-DEC-06        950
    16-DEC-06        950
    17-DEC-06        950
    18-DEC-06        950
    19-DEC-06        950
    20-DEC-06        950
    21-DEC-06        950
    22-DEC-06        950
    23-DEC-06        950
    24-DEC-06        950
    25-DEC-06        950
    26-DEC-06       1500
    27-DEC-06       1500
    28-DEC-06       1500
    29-DEC-06       1500
    30-DEC-06       1500
    31-DEC-06       1500
    01-JAN-07       1500
    02-JAN-07       1500
    03-JAN-07       1500
    04-JAN-07       1500
    05-JAN-07       1500
    06-JAN-07       1500
    07-JAN-07       1500
    08-JAN-07       1500
    09-JAN-07       1500
    10-JAN-07       1500
    11-JAN-07       1500
    12-JAN-07       1500
    13-JAN-07       1500
    14-JAN-07       1500
    15-JAN-07       1500
    38 rows selected.
    Elapsed: 00:00:00.01
    [email protected](152)> ed
    Wrote file TEST.BRANDT_152_20070315150352.sql
      1  with dates as (
      2     select to_date(:begin_date, 'YYYY-MM-DD') + level - 1 as d
      3     from dual
      4     connect by level <= to_date(:end_date, 'YYYY-MM-DD') - to_date(:begin_date, 'YYYY-MM-DD') + 1
      5  )
      6  select :begin_date
      7  , :end_date
      8  , avg(r.rate) as fee
      9  from dates
    10  , ratemast r
    11  where dates.d between r.begindate and r.enddate
    12* group by :begin_date
    [email protected](152)> /
    :BEGIN_DATE                      :END_DATE                               FEE
    2006-12-09                       2007-01-15                       1243.42105
    Elapsed: 00:00:00.01
    [email protected](152)> cheers,
    Anthony

  • Unable to access the data from Data Management Gateway: Query timeout expired

    Hi,
    Since 2-3 days the data refresh is failing on our PowerBI site. I checked below:
    1. The gateway is in running status.
    2. Data source is also in ready status and test connection worked fine too.
    3. Below is the error in System Health -
    Failed to refresh the data source. An internal service error has occurred. Retry the operation at a later time. If the problem persists, contact Microsoft support for further assistance.        
    Error code: 4025
    4. Below is the error in Event Viewer.
    Unable to access the data from Data Management Gateway: Query timeout expired. Please check 1) whether the data source is available 2) whether the gateway on-premises service is running using Windows Event Logs.
    5. This is the correlational id for latest refresh failure
    is
    f9030dd8-af4c-4225-8674-50ce85a770d0
    6.
    Refresh History error is –
    Errors in the high-level relational engine. The following exception occurred while the managed IDataReader interface was being used: The operation has timed out. Errors in the high-level relational engine. The following exception occurred while the
    managed IDataReader interface was being used: Query timeout expired. 
    Any idea what could have went wrong suddenly, everything was working fine from last 1 month.
    Thanks,
    Richa

    Never mind, figured out there was a lock on SQL table which caused all the problems. Once I released the lock it PowerPivot refresh started working fine.
    Thanks.

  • SAP MII 14.0 SP5 Patch 11 - Error has occurred while processing data stream Dynamic Query role is not assigned to the Data Server

    Hello All,
    We are using a two tier architecture.
    Our Corp server calls the refinery server.
    Our CORP MII server uses user id abc_user to connect to the refinery data server.
    The user id abc_user has the SAP_xMII_Dynamic_Query role.
    The data server also has the checkbox for allow dynamic query enabled.
    But we are still getting the following error
    Error has occurred while processing data stream
    Dynamic Query role is not assigned to the Data Server; Use query template
    Once we add the SAP_xMII_Dynamic_Query role to the data server everything works fine. Is this feature by design ?
    Thanks,
    Kiran

    Thanks Anushree !!
    I thought that just adding the role to the user and enabling the dynamic query checkbox on the data server should work.
    But we even needed to add the role to the data server.
    Thanks,
    Kiran

  • No data from BW-Query in BO-tools

    Hello all
    On a newly installed BO XI 3.1 with the SAP integration kit I cannot get data from my existing BW queries.
    For example, if I start Xcelsius and add my BW-system as connection I can get the structure of the query (headings) but no data is displayed, neither in the connection's preview tab nor in the web preview.
    The same happens if I create a QaaWS on this BW-query - I see the query headings, but not the actual data.
    The query shows data if I open it directly in my web browser and it's a really simple one: no variables, no extras, only a few columns and rows.
    I use SAP BW 7.01 SP6, XI 3.1 12.3.3 and XCelsius 2008 5.3.4
    In SAP BW my user has SAP_ALL as well as BOE Admin & Content producer roles.
    I'm relatively new to BO products so I have no idea where to start looking for the cause. Please help!
    BR
    Kanan

    Hi
    After I found the document "Using Xcelsius 2008 with SAP NetWeaver BW" (http://www.sdn.sap.com/irj/scn/go/portal/prtroot/docs/library/uuid/10ad2489-8956-2d10-f8ab-ed4cce2766da?quicklink=index&overridelayout=true) and followed the steps it works.
    It seems as if the error was not in the system but in front of it - a typical case of RTFM, although the manuals are not always easy to find.
    sorry & thanks.
    BR
    Kanan

  • I have a question about Data Rates.

    Hello All.
    This is a bit of a noob question I'm sure. I don't think I really understand Data Rates and how it applies to Motion... therefore I'm not even sure what kind of questions to ask. I've been reading up online and thought I would ask some questions here. Thanks to all in advance.
    I've never really worried about Data Rates until now. I am creating an Apple Motion piece with about 15 different video clips in it. And 1/2 of them have alpha channels.
    What exactly is Data Rate? Is it the rate in which video clip data is read (in bits/second) from the Disc and placed into my screen? In Motion- is the Data Rate for video only? What if the clip has audio? If a HDD is simply a plastic disc with a dye read by "1" laser... how come my computer can pull "2" files off the disc at the same time? Is that what data transfer is all about? Is that were RAM comes into play?
    I have crunched my clips as much as I can. They are short clips (10-15seconds each). I've compressed them with the Animation codec to preserve the Alpha channel and sized them proportionally smaller (320x240). This dropped their data rate significantly. I've also taken out any audio that was associated with them.
    Is data rate what is slowing my system down?
    The data rates are all under 2MBs. Some are as low as 230Kbs. They were MUCH higher. However, my animation still plays VERY slowly.
    I'm running a 3GigRam Powerbook Pro 2.33GHz.
    I store all my media on a 1TB GRaid Firewire 800 drive. However for portability I'm using a USB 2 smartdisk external drive. I think the speed is 5200rpm.
    I'm guessing this all plays into the speed at which motion can function.
    If I total my data rate transfer I get somewhere in the vicinity of 11MBs/second. Is that what motion needs for it to play smoothly a 11MBs/second data connection? USB 2.0 is like what 480Mbs/second. So there is no way it's going to play quickly. What if I played it from my hard drive? What is the data rate of my internal HDD?
    I guess my overall question is.
    #1. Is my thinking correct on all of these topics? Do my bits, bytes and megs make sense. Is my thought process correct?
    #2. Barring getting a new machine or buying new hardware. What can I do to speed up this workflow? Working with 15 different video clips is bogging Motion down and becoming frustrating to work with. Even if only 3-4 of the clips are up at a time it bogs things down. Especially if I throw on a glow effect or something.
    Any help is greatly appreciated.
    -Fraky

    Data rate DOES make a difference, but I'd say your real problem has more to do with the fact that you're working on a Powerbook. Motion's real time capabilities derive from the capability of the video card. Not the processor. Some cards do better than others, but laptops are not even recommended for running Motion.
    To improve your workflow on a laptop will be limited, but there are a few things that you can try.
    Make sure that thumbnails and previews are turned off.
    Make sure that you are operating in Draft Mode.
    Lower the display resolution to half, or quarter.
    Don't expect to be getting real time playback. Treat it more like After Effects.
    Compressing your clips into smaller Animations does help because it lowers the data rate, but you're still dealing with the animation codec which is a high data rate codec. Unfortunately, it sounds necessary in your case because you're dealing with alpha channels.
    The data rate comes into play with your setup trying to play through your USB drive. USB drives are never recommended for editing or Motion work. Their throughput is not consistent enough for video work. a small FW drive would be better, though your real problem as I said is the Powerbook.
    If you must work on the powerbook, then don't expect real-time playback. Instead, build your animation, step through it, and do RAM previews to view sections in real time.
    I hope this helps.
    Andy

  • Error while importing the tables from MySQL using the data source connection

    Hi,
    I am trying to import tables from MySQL into Powerpivot using the data source connection, if use the import using the Query option its working fine but not with the select list of table option.
    when i click on the select list of tables option, i get the below error after selecting all the tables to be imported:
    OLE DB or ODBC error.
    An error occurred while processing table 'XXXXXXXXXX'.
    The current operation was cancelled because another operation in the transaction failed.

    Hi Bharat17an,
    Please provide the detail information when create the MySQL connection in your PowerPivot model. Here is a good article regarding "how to Use MySQL and Microsoft PowerPivot Together" for your reference, please see:
    http://www.datamensional.com/2011/09/how-to-use-mysql-and-microsoft-powerpivot-together-2/
    If this issue still persists, please help to collection windows event log information. It maybe helpful for us to troubleshoot this issue.
    Regards,
    Elvis Long
    TechNet Community Support

  • "Source not found" Error creating URL Data control with query parameters

    Hi,
    I have a restful service for which i want to create a URL data control. I am able to create the URL data control successfully when i am not passing any parameters in the Source field. But if i am specifying the parameters in the source field like this Department=##ParamName##, something weird is happening. After giving the param string in the Source field, it asks for default param value to test the url. It tests the url successfully. After that i select XML as the data format in which i am mentioning the xsd like this . "file:///C:/..../something.xsd" . And this is when i am getting the error. "Invalid Connection. The source is not found". I am giving exactly same path for xsd which i gave while creating URL data control without query parameters. Infact i was able to create the URL data control with query parameters successfully till afternoon. after that it started giving me this error all of a sudden. Infact as soon as i was able to create a URL data contol with query parameter successfully, i took a backup of the application before moving further. But even that backup is not working now.
    As far as i understand, i dont think there will be any change in xsd if query params are passed to a web service. Please correct me if i am wrong.
    Just dont know what could be the issue. Please help
    Thanks

    Hi,
    xsd is used for the URL service to know what the returned data structure is so it can create the ADF DC metadata
    Frank

  • Where to get BW Metadata: owner, creation date, change date of a query / WS

    Hello,
    I need a report over the existing queries / worksheets and the owner, creation date, change date of a query etc.
    You see some of the information when you go over query properties in the query designer. But you see only the information of one (the opened) query. And you have to do this for every query ...
    My idea is to go over BW Metadata in the technical content.
    Here is the cube BW Metadata 0BWTC_C08
    (The InfoCube BW Statistics u2013 Metadata contains metadata from the Metadata Repository.)
    Is this the way to do it? Or any other suggestions u2026
    Can I get infos about used structures , etc over this way
    Thanks Markus

    I had to work on an other subject:
    But now the source of information is clear:
    RSRREPDIR - index of all queries
    RSZELTDIR -  index of all queries-components
    RSRWORKBOOK - Verwendungsnachweis für Berichte in Workbooks
    RSRWBINDEX - List of binary large objects (Excel workbooks)
    RSRWBINDEXT - Titles of binary objects (Excel workbooks) in InfoCatalog
    The tables are to join over
    RSRREPDIR.COMPUID  = RSZELTDIR.ELTUID
    RSZELTDIR.TEXTLG  contains the description
    RSRWORKBOOK.GENUID  = RSRREPDIR.GENUID
    RSRWBINDEXT and RSRWBINDEX are connected over WORKBOOKID
    I'd like to put the information of all of this tables in a cube and define a query on it.
    I have to define new datasource, infosource to get the data in the cube.
    Right?
    Now i see some existing datasource objects in the technical content.
    0TCTQUERID, 0TCTQUERID_TEXT, 0TCTQUERY, 0TCTQUERY_TEXT
    I can't open them to look in. But they might be helpfull. Anybody used them?
    Markus

  • Apple tv slow data rate

    HI Guys, i have a problem with one of my Apple TV. I currently have 2 Apple TV and one is having a slow data rate. I have Apple AirPort Time Capsule 2TB (latest gen) with most devices running on wireless connection and I checked the data rate (from the base station) on one Apple TV is showing 65Mbps and on another its showing between 6-13Mbps. The signal reception on both AppleTV is excellent. I have tried unplugging, restarting and restoring the AppleTV with no luck. The model number on this AppleTV is A1427. Any other ideas?

    Hi arustandi,
    Thanks for the question. If I understand correctly, one of the Apple TV's has a slow connection. I see you have already done a bit of troubleshooting. I would recommend that you read this article, it may be able to help with the slow connection.
    Wi-Fi and Bluetooth: Potential sources of wireless interference - Apple Support
    Thanks for using Apple Support Communities.
    Have a great day,
    Mario

  • Dual data rate stream problem

    I am streaming a live source that is being encoded at 2 different data rates. One is a 360Kbps stream, the other is a 28Kbps stream (for dial up users). I have created a reference movie that contains URLs for each of these streams. The high speed one is characterized as requiring 384Kbps DSL/Cable. The second is set to 56Kbps Modem/ISDN.
    I have a Mac Mini and a PC on my desktop, both connected to my streaming server directly via the LAN. Both are running Quicktime 7.4.1. Both have their Quicktime Preference for Streaming Speed set for Automatic (The Quicktime default).
    The PC always selects the high speed stream. The Mac always selects the low speed stream. The only way to make the Mac pick the correct stream is to set the streaming speed preference manually. I have even tried rebuilding the reference movie, setting the required data rate to as low as 112Kbps, but still the Mac refuses to believe it can handle that speed and picks the other one. The bandwidth to the server is actually in the Mbps range, and the stream plays just fine when it is forced to play through manual configuration.
    Does anyone have any insight into why this is a problem? Better yet, does anybody have a way of making this work that doesn't involve having to explain to every user how to change their preferences?
    By the way, it's not just my desktop Mac that behaves this way, the same is true for systems coming in from the outside. I'm not sure that it is necessarily clear cut that Macs always fail and PCs always succeed, or what the story is with other Quicktime releases.

    How about some more information on the memory you purchasaed.  If you purchased (2) 2GB sticks of memory the motherboard only supports 1GB of memory per slot and they will not function properly.  Is the Patriot RAM single side or double side and did it work before you installed the 2GB modules??

  • Running Connected Query with Run Control Parameters using App Engine

    Hello,
    I created a connected query that has 1 parent query and 1 child query, and use this as DataSource for the report that I am going to generate. I created an app engine that willl be called to generate this report. However, I encounter the error "Error occurred while processing the request. (228,101) PT_CONQRS.CONQRSMGR.OnExecute Name:GetXMLData PCPC:59072 Statement:1309". What could be causing this issue? One cause I am thinking is that the Connected Query not returning any data since I am not able to pass / map the values to the CQ's prompt fields. How is this done in CQ? I've done it in PS Query by using the function SetPSQueryPromptRecord+. I'm trying to search for this function's equivalent in CQ. I was able to search for a workaround (http://mfinchps.blogspot.com/2011/05/how-to-launch-connected-query-xml.html), but I still prefer to have a CQ data source.
    Below is the code that should handle mapping of CQ prompt fields:
    &oConQrsInst = create PT_CONQRS:CONQRSMGR(&OperId, &ReportName);
    &result = &oConQrsInst.Open(&oConQrsInst.Const.InitExisting);
    &CQPromptsArray = &oConQrsInst.QueriesPromptsArray;
    &rcdQryRunParms = CreateRecord(@&PromptRec);
    &sqlSelectQryParms = CreateSQL("%Selectall(:1) WHERE OPRID = :2 AND RUN_CNTL_ID = :3");
    &sqlSelectQryParms.Execute(&rcdQryRunParms, &OperId, &RunControlId);
    /*Loop through the Connected Query "Queries" and fill in each query's prompts as needed*/
    For &arrCtr = 1 To &CQPromptsArray.Len
    &rcdQryPrompts = &CQPromptsArray.Get(&arrCtr).QueryPromptRecord;
    For &i = 1 To &rcdQryPrompts.FieldCount
    While &sqlSelectQryParms.Fetch(&rcdQryRunParms)
    If &rcdQryPrompts.GetField(&i).Name = &rcdQryRunParms.GetField(Field.BNDNAME).Value Then
    &rcdQryPrompts.GetField(&i).Value = &rcdQryRunParms.GetField(Field.BNDVALUE).Value;
    Break;
    End-If;
    End-While;
    End-For;
    &sqlSelectQryParms.Close();
    End-For;
    rem &oRptDefn.SetPSQueryPromptRecord(&rcdQryPrompts);  -> need to have equivalent of this+
    &oConQrsInst.Close();
    Thanks!
    Janet

    i think you have run the code to generate the XML file from your connected query...
    check the following things
    1. Check the Report definition is defined or not for the file that you want generate.
    2. if its defined check the RTF template is present or not.
    3.Check your code in Appengine whether you have mentioned the Report Definition and template name,

  • AP PHY data rates

    Hello,
    AP 1600 has PHY data rates up to 300 Mbps, and 2600 up to 450 Mbps.
    With 1600 AP, if I have a client connected at 300 Mbps on the radio 5 GHz (MCS index 15, 40 Mhz) and another client connected at 130 Mbps on the radio 2.4 GHz at 130 Mbps (MCS index 15, 20 Mhz); how will the AP handle the traffic ?
    Will the AP force one of the client to lower data rates, or will it drop some paquets ?
    I'm a little bit confuse about the behavior in high density environment,
    Thanks a lot,
    Regards

    Gerald,
    Wi-fi is half duplex medium and data rate does not equal throughput
    Here is a good guide on the issue:
    http://www.speedguide.net/faq_in_q.php?qid=374
    As wi-fi performance is determined by the client, AP and external factors such as interference, wi-fi overhead, distance, loss, etc. figure throughput somewhere @ 50 - 60% of data rate at best. On top of that, there will be tcp/ip overhead too.
    It will always drop to the lowest common denominator.  So if the switchport is only 100 mbps, that is your bottleneck for traffic that goes over it.
    Use some tools like iperf or jperf to do some client-server testing between laptops to see what the actual throughput is.
    If you are using MacBooks, there is a great app in the Mac App Store called WiFiPerf
    Eric

  • Data Rates Cycling

    I am seeing the data rates cycle from 11 mbps to 2mbps and then sometimes a very short spurt on 1mbps. I set the 350 AP custom data rates to 1 basic, 2 basic, 5.5 no and 11 no.
    I have a client on win 2k with a 350 pci card installed but I see the same behavior on my laptop lmc card. When the rate is 11 mbps the client disassociates from the AP since we are 5.5 miles away. I use my laptop for site survey work and I have trouble with getting an association when I have a clear line of site and high gain antenna attached to LMC card.
    The radio tower has 3 Cisco AP's runing off chanels 1, 6 & 11. I upgraded all 3 to 12.00T SW. I have 3 seperate line running up 240 feet to a MaxRad sectorized omni. i have 3 seperate DC powered RFLinx 250 mw amps at the top of the tower.
    All my customers except the 1 I am debugging have Linksys wet11 bridges and they are all running fine with a 1 or 2 mbps setting. The Cisco PCI client card should not try a 11 mbps connection when I have set them for auto rate selection and the AP has the custom settings for 1 or 2 mbps, am I missing something here?

    You can verify the following things:
    Verify that the PC card or PCI adapter is installed correctly.
    Verify that the configuration for the SSID on PC matches the access point's SSID.
    If your device does not allow broadcast SSID to associate, change the setting to "yes" to see if it allows it to associate.
    Temporarily disable any security features on both the access point and the client. If this solves the problem, check to make sure that the Wired Equivalent Privacy (WEP) key you use to transmit data is set up exactly the same on your AP and on any wireless devices with which it associates.
    Note the configurations and enter them after a reset.
    You can use the guidelines given in the following links:
    http://www.cisco.com/univercd/cc/td/doc/product/wireless/airo_350/350cards/pc350hig/pc_ch3.htm
    http://www.cisco.com/univercd/cc/td/doc/product/wireless/airo_350/350cards/windows/incfg/win_ch6.htm
    http://www.cisco.com/univercd/cc/td/doc/product/wireless/airo_350/accsspts/ap350scg/ap350ch3.htm#80451
    Hope this helps!!!!!!!!

  • Disable data rate to a specific AP only?

    Hello everyone, Im using Cisco 5508 with 7.0.220.0 code and I just wanted to know if its possible to disable some data rates to a specific group of APs and not affect the rest of the APs
    Another question is about almost the same thing but related to WLAN Radio Policy. If I enable a specific WLAN to use radio policy 802.11g-only, all the clients using this WLAN can only associate to 802.11g data rates??? are there any other things to consider on about this policy?.
    thanks in advance for your time and help!!!!

    Rasika is right on... you need to upgrade if you want to use RF Profiles...
    Another question is about almost the same thing but related to WLAN Radio Policy. If I enable a specific WLAN to use radio policy 802.11g-only, all the clients using this WLAN can only associate to 802.11g data rates???
    > Clients can only connect on the 2.4ghz either 802.11b g or n
    are there any other things to consider on about this policy?
    > Setting the policies on the WLAN just defines what you want to be able to associate to that WLAN.  For example, wireless ip phones you might set it to 5ghz only, so phones have to be able to connect using only the 5ghz.  If there were any 2.4ghz device only trying to access that wlan, they wouldn't be able to associate.  Another example is like guest ssid... I always only allow then on the 2.4ghz, not on the 5ghz.
    Thanks,
    Scott
    *****Help out other by using the rating system and marking answered questions as "Answered"*****

Maybe you are looking for