Server side buffering settings for video

I pump my video (both live streaming and VOD) through a popular CDN.  They control the server side (FMS) settings.  I can request that they change things and they do so and let me know when I can test.
I'm wondering about server side buffering settings.  Is there supposed to be some sort of coordination between the buffering settings there and the client side buffering settings I implement in my video player?
The reason I ask is I get wierd buffering behaviors in my client side player under certain conditions and there doesn't seem to be much to adjust there other than the NetStream.bufferTime property.
For instance, if I set the bufferTime property in my client viewer to 10 seconds, the player just seems to ignore it and starts playing the stream right away or within a second or two.  Other times I see crazy values in the bufferTime property, like 400 seconds (I check the property's value about every second).
I'm wondering if there are some FMS settings that are overriding or are not working well with my client side buffer settings.  Is this possible?

Not sure how to get this code to you.  There is no option here to  attach a file.  Trying to post inline here.  Hope it comes out ok.
This  is a simple player.  The simplest.  No frills.  Just insert your RTMP  url to your FMS and your stream name in the string variables "rtmpURL"  and "streamName" at the top, compile and run.
Here is a deployment of this player connected to my CDN where the file is currently playing:
http://dcast.dyventive.com/cast/simple_player/player.html
Also,  attached is an image I took when I ran the program and hit the refresh  button in the browser.  Note the giant bufferLength numbers in the debug  panel.
Again note, I do not get this problem linking  directly to a recorded file.  I see this problem when playing a file on a  server or with a live stream.
Can you see anything  obviously wrong?
<?xml  version="1.0" encoding="utf-8"?>
<mx:Application
     xmlns:mx="http://www.adobe.com/2006/mxml"
     layout="absolute"
     backgroundColor="#333333"
     initialize="init()">
     <mx:Script>
         <![CDATA[
             //Note:  the method "connect()" on  line #49 starts the area  with the important connection code
             import mx.containers.Canvas;
             import flash.media.Video;
             import flash.net.NetConnection;
             import flash.net.NetStream;
             private var vid:Video;
             private var nc:NetConnection;
             //Path to your FMS live streaming application
             private var rtmpURL:String = "Insert your URL"; //Will be  used to connect to your FMS
             private var buffer:Number = 5; //NetStream.bufferTime  property will be set with this.
             private var streamName:String =  "Insert your server side  stream name here"; //This determines the channel you're watching  on the  server.           
             private var ns:NetStream;
             private var msg:Boolean;
             [Bindable]
             private var canvas_video:Canvas;//Will display some live  playback  stats
             private var intervalMonitorBufferLengthEverySecond:uint;
              private function init():void
                 vid=new Video();   
                 vid.width=720;
                 vid.height=480;                   
                 vid.smoothing = true;               
                 uic.addChild(vid);
                 connect();
             public function onSecurityError(e:SecurityError):void
                 trace("Security error: ");
             public function connect():void
                 nc = new NetConnection();
                 nc.client = this;
                 nc.addEventListener(NetStatusEvent.NET_STATUS,  netStatusHandler);
                 nc.connect(rtmpURL);                    
             public function netStatusHandler(e:NetStatusEvent):void
                   switch (e.info.code) {
                     case "NetConnection.Connect.Success":
                         netconnectionStatus.text = e.info.code;
                         reconnectStatus.text = "N/A";
                         trace("Connected successfully");
                         createNS();                    
                         break;                                               
             public function createNS():void
                 trace("Creating NetStream");
                 ns=new NetStream(nc);
                 ns.addEventListener(NetStatusEvent.NET_STATUS,  netStreamStatusHandler);
                 vid.attachNetStream(ns);
                 //Handle onMetaData and onCuePoint event callbacks:  solution at http://tinyurl.com/mkadas
                 //See another solution at  http://www.adobe.com/devnet/flash/quickstart/metadata_cue_points/
                 var infoClient:Object = new Object();
                 infoClient.onMetaData = function oMD():void {};
                 infoClient.onCuePoint = function oCP():void {}; 
                 ns.client = infoClient;   
                 ns.play(streamName);   
                 ns.bufferTime = buffer;                   
                 ns.addEventListener(AsyncErrorEvent.ASYNC_ERROR,  asyncErrorHandler);
                 function asyncErrorHandler(event:AsyncErrorEvent):void {
                     trace(event.text);
                 //Set up the interval that will be used to monitor the  bufferLength property.
                 //monPlayback() will be the funciton that will do the  work.   
                 intervalMonitorBufferLengthEverySecond =  setInterval(monPlayback, 1000);
             public function  netStreamStatusHandler(e:NetStatusEvent):void
                  switch (e.info.code) {
                     case "NetStream.Buffer.Empty":
                         netstreamStatus.text = e.info.code;
                         textAreaDebugPanel.text += "Buffer empty:\n";
                         trace("Buffer empty: ");
                         break;
                     case "NetStream.Buffer.Full":
                         netstreamStatus.text = e.info.code;
                         textAreaDebugPanel.text += "Buffer full:\n";
                         trace("Buffer full:");
                         break;
                      case "NetStream.Play.Start":
                          netstreamStatus.text = e.info.code;
                          textAreaDebugPanel.text += "Buffer empty:\n";
                         trace("Play start:");
                         break;                        
             //Get the current ns.bufferLength value, format it, and  display it to the screen.
             //"bufferLen" is the key var here.
             public function monPlayback():void {               
                 var currentBuffer:Number =  Math.round((ns.bufferLength/ns.bufferTime)*100);
                 var bufferLen:String = String(ns.bufferLength);//Here is  the actual bufferLength reading.
                                                                //Use it  to show the user what's going on.
                 pb.value = currentBuffer;//updates the little buffer  slider on the screen
                 bufferPct.text = String(currentBuffer) + "%";
                 bufferTime.text = String(ns.bufferTime);
                 bufferLength.text = String(ns.bufferLength);
                 //Dump the bufferLen value to the debug panel.
                 textAreaDebugPanel.text += bufferLen + "\n";                
                 trace("Buffer length: " + bufferLen);
         public function onBWDone():void
             //dispatchComplete(obj);
         ]]>
     </mx:Script>
     <mx:Canvas id="monitor"
         y="10" right="50">
         <mx:Text x="0" y="25" text="Buffer:" color="#FFFFFF"/>
         <mx:Text x="0" y="50" text="Buffer Time:"  color="#FFFFFF"/>
         <mx:Text x="0" y="75" text="Buffer Length:"  color="#FFFFFF"/>   
         <mx:Text x="0" y="100" text="NetConnection netStatus:"  color="#FFFFFF"/>
         <mx:Text x="0" y="125" text="NetStream netStatus:"  color="#FFFFFF"/>
         <mx:Text x="0" y="150" text="Reconnect:" color="#FFFFFF"/>
         <mx:HSlider x="145" y="25" id="pb" minimum="0" maximum="100"  snapInterval="1" enabled="true"/>
         <mx:Text x="100" y="25" height="20" id="bufferPct"  color="#FFFFFF"/>   
         <mx:Text x="145" y="50" height="20" id="bufferTime"  color="#FFFFFF"/>
         <mx:Text x="145" y="75" height="20" id="bufferLength"  color="#FFFFFF"/>   
         <mx:Text x="145" y="100" height="20" id="netconnectionStatus"  color="#FFFFFF"/>
         <mx:Text x="145" y="125" height="20" id="netstreamStatus"  color="#FFFFFF"/>
         <mx:Text x="145" y="150" height="20" id="reconnectStatus"  color="#FFFFFF" text="N/A"/>
     </mx:Canvas>
     <mx:UIComponent id="uic"
          x="50" y="10"/>
      <mx:TextArea id="textAreaDebugPanel"
          width="300" height="300"
          right="50" top="300"
           valueCommit="textAreaDebugPanel.verticalScrollPosition=textAreaDebugPanel.maxVerticalScro llPosition"/>
</mx:Application>

Similar Messages

  • Q abt. "Server Side File Tracking for Mobile Home Sync"

    I am following the steps "To optimize the file server for mobile accounts" which are listed on page 157 in Mac OS X Server v10.6 - User Management :
    In Server Admin, click the disclosure triangle for the server hosting network home folders for mobile accounts.
    If Firewall isn’t listed, select the server, click Settings, click Services, select Firewall, and then click Save.
    Select Firewall, click Settings, and then click Services.
    Choose the address range for your users’ computers from the “Edit Services for” pop-up menu.
    Select “Allow only traffic from ‘ipaddress’ to any of these ports,” select the Allow checkbox for Mobile Account Sync (port 2336), and then click Save.
    Select the server, click Settings, and then click General.
    Select “Server Side File Tracking for Mobile Home Sync” and then click Save.
    My questions is:
    In step 2, I added "Firewall" to the services. I continued with the following steps, but nowhere does it say to press the button "Start Firewall", so as of right now Firewall is listed, but not activated - it's gray and not green. Should I turn on the Firewall Service? In my setup, a cable modem/router is acting Firewall between WAN and LAN (small private home network).

    I can't get Server Side File Tracking to work. Any help would be greatly appreciated!
    Here's what I've done:
    1. Followed the instructions in "Mac OS X Server v10.6 - User Management" as per the first post in this thread.
    2. Tried turning on the Firewall Service - resulting in clients unable to log in to their network accounts.
    3. In Server Admin, under Firewall>Settings>Services, with 192.168-net selected in the pop-up menu entitled "Editing services for", I then chose "Allow all traffic" (instead of "Allow only traffic to these ports:") as my router acts as a Firewall in my setup. Now users can log in to their network accounts again, but Server Side File Tracking is still not working. How do I know it is not working?
    According to infinite vortex in this other thread, the syncing window is supposed to only show this:
    On my clients, you can see it scan through the home directory before the file copying/syncing actually starts.

  • What are the best settings for video  compression if my end result is for use as  progressive .flv

    What are the best settings for video compression if my end result is for use as  progressive .flv.?
    Thanks,
    KIM

    Use the Final Cut Studio forum
    http://discussions.apple.com/forum.jspa?forumID=939

  • What are the settings for video output to consumer blu-ray DVD players?

    I have a Maya animation rendered at 1920 x 1080.  There is no audio yet, butI will create SFX for the audio track. The animation was rendered for 24 fps viewing, but in truth I don't think I would notice if the playback was 23.97 fps.  I have Premeire Elements 7 and there are no pre-sets for HD or Blu-Ray.  It's not clear to me that I can do this in Elements 11 either or if I need to buy Premeire Pro to do what I want.
    Thanks,
    Matt

    Thanks Ann.
    I know I'll need to upgrade.  Since my editing needs are infrequent I just wanted to find out if I had to spring for Pro or if Elements11 would do.  Also, I'm trying to figure out what the settings should be.  I read about 24fps progressive (for film?) and 23.97 fps progress (for video?).  It is a short animation that I want to loop for a Point of Purchase video display. 
    Thanks again for taking the time to answer.
    Matt

  • Settings for Video Podcast?

    I don't have a video iPod, but a friend told me that my video didn't sync with her new iPod Nano via iTunes. Trying to figure out if there's something wrong with the encoding.
    I read in the new video capable iPod specs...
    H.264 video, up to 1.5 Mbps, 640 by 480 pixels, 30 frames per second, Low-Complexity version of the H.264 Baseline Profile with AAC-LC audio up to 160 Kbps, 48kHz, stereo audio in .m4v, .mp4, and .mov file formats
    In iMovie HS '06, I have the following settings... (Share ->iPod isn't high enough quality for what I need).
    Export - > Quicktime > Expert Settings > Options >
    Video Settings...
    H.264
    Frame rate 29.97
    Key Frames Auto
    check frame reordering
    Data Rate - Restrict to 1536 kb/s (equal to 1.5 mb/s)
    Compressor - High & Multi-Pass
    Filter... no changes
    Size...
    Custom - 640 x 320 **
    ** (Video is 16 x 9, should I be going with 640 x 480 and preserve with letterboxing? Some iTunes videos are not letterboxed, though).
    Check - Deinterlace Source Video (to get rid of that venetian blind effect).
    Sounds...
    AAC, Best, limit to 128 kb/s
    Anything I'm doing wrong here to get a good video podcast that will sync with an iPod?
    Thanks,
    Tom.

    Yeah, good idea. Thanks for the reply I didn't think of Garage Band as supporting video, though. I'll check it out.
    What I did do in the meantime is try iMovie '08. I was shying away from it since it didn't have as many features as iMovie HD. But it does add some nice features... including exporting to iTunes in one shot. And sure enough, a video pops up in iTunes encoded exactly like the music videos I got from the iTunes store. So, there's no reason it shouldn't work perfectly.
    The only difference is the m4v extension vs. the mov extension. I don't think that matters since both are compatible with the iPod and QuickTime.
    It looks like I had a lot of the settings, if not all correct. However, I think the short answer is use iMovie 08, export to iTunes.

  • Best export settings for video for web

    Can anyone give me some advice on the best export settings for a short video that is to be viewed on the web? I have some short, say 2 minute videos that need to be placed on a website and need a reasonable file size. What would the best Format and Preset options be in Premiere? Would it be helpful to utilize After Effects to reduce file size? Thank you in advance to anyone who has some advice!!

    For now, it would be on my own website or a clients website. But there may
    be another possibility, I have a client that already has some videos
    available for viewing on their website, looks like they are YouTube videos
    that play on their site, and there is an option to "Watch on YouTube". So I
    guess I would love some recommended export settings for a straightforward
    video clip on my website, and if I need to explore the YouTube preset in
    Premiere, let me know. Thank you, I really appreciate your answers and
    help!!

  • Can you copy and paste camera raw filter settings for video?

    I have just learned how to use the camera raw filter for color correcting my video clips. Is there a way to copy the settings for one clip and apply it to another? How do you do this?

    If you give complete and detailed information about your setup and the issue at hand, such as your platform (Mac or Win), exact versions of your OS, of Photoshop and of Bridge, machine specs, what troubleshooting steps you have taken so far, what error message(s) you receive, if having issues opening raw files also the exact camera make and model that generated them, etc., someone may be able to help you.
    Please read this FAQ for advice on how to ask your questions correctly for quicker and better answers:
    http://forums.adobe.com/thread/419981?tstart=0
    Thanks!

  • Server-side connection pooling for clients in different VM's

    We have a need to centeralize our connection pool manger.
    Is there a server-side connection pooling manger product to allow multiple clients running in different VM's to connect to and share connection objects to the same Database?
    e.g. An applet, and a swing and a servlet/web app application all running in different VM's will connect to this central connection pool manager and share connection objects to the same DB.
    We are using connection pooling for all of our applications but each application is maintaining its own connection pool and it is becomming a nightmare to manage and configure each one.
    Also, we have to have at a miniumum one connection open per application to access the database regardless of wether we are using connection pool or not. This means that 100 apps(running in different VM's) will use at minimum 100 connections... where all of these 100 apps will do just fine with just 10-15 connections.
    while back we used T3 server but can't find this product on BEA web site any more.
    does jdbc 2.2 or 3.0 have any server side pool management specs outlined?
    Please HELP as we can't afford anymore licensing fees for our company.
    oh.. We can't open and close connections on each query as they will be slow.
    any suggestions greatly appreciated.

    if i understand you question, i don't think this is possible, since the Connection interface (and basically all of the related jdbc interfaces) aren't Serializable.. so they can't be sent over the wire to your client(s).
    However, you could feasibly write some server side connection pool, and some server side facade which will allow clients to submit queries (either SQL String's or however you want to do it - obviously a more elegant solution involves a series of classes which dynamically create sql based on query criteria), then the server can grab a connection, execute the query, cycle through the results and populate some result object of your creation and send that back over the wire to your client(s).
    .

  • CS4 MPEG 2 export settings for video captured by sony cybershot dsc-w35

    Hi,
    I am trying to export a project (which contains video captured by my sony cybershot dsc-w35 digital camera) in MPEG 2 format (not sure if there is a better format I should be using, but I tried to do it in AVI before and the resulting file was way too large), and the resulting exported file always comes out with choppy video. The video capture settings for my cybershot camera (and thus the source video in my project) are:
         - VGA (640 x 480)
         - framerate: 25 fps
    At the outset, I am using DV (only other option is HDV) as capture format, and I selected DV-PAL: Standard: 48 kHz as my Sequence preset. I have no idea if thi is the appropriate preset for me to be using, but it seems logical since its timebase is 25 fps and it says a 4:3 video ratio in the description, and almost every other preset seems to be intended for HD video and higher framrates or ratios, etc.
    At the export stage, I select MPEG 2 format, and other than that I really have no idea what settings I should be using. I set the preset to Custom and under the Video section I switch the framerate to 25 and the pixel aspect ratio to 4:3. Everything else I pretty much leave the same.
    Can anyone tell me why the export file always comes out choppy? (it is not choppy when I watch it in Premiere itself). I must be either using the wrong preset at the beginning or in the export stage (or both). The VGA capture setting of my camera seems like it might be an issue as none of the presets in Premiere appear to accomodate it. Any help is sincerely appreciated!

    Thanks for the prompt response, Hunt.
    The spec sheet you referred to is actually for the Sony cybershot dsc-w350, whereas my camera is the sony cybershot dsc-w35. that's probably the reason for the discrepancy. When looking at the properties of the source video I am using it says 25 fps, so does this mean I should be using a PAL preset in the export stage? I see what you mean about using a Desktop (custom) preset for the sequence preset, and for this I set the framerate to 25, frame width to 640 and height to 480 (to match my camera settings), but what should I set the pixel width to?
    In the export stage, I select custom preset again, but within this there are lots of options (mostly under the Video tab) I am unsure about. Should I be using PAL instead of NTSC since I'm using a 25 fps framerate? I can also scroll video quality anywhere from 1 to 5, any ideas? I can also choose various pixel aspect ratios here and then there are a bunch of bitrate settings I am totally cluseless about. Also, under the Multiplexer tab, there is an option between constant and variable bitrate types, which should I use? Thanks again

  • Optimum settings for video playback on 5800 Xpress...

    Hello.
    I want to find out what are the best setting to use for converting videos for watching on the 5800.
    I will be converting from EyeTV files using a Mac. I can use either the ‘Export’ function from EyeTV or VisualHub – both have a huge range of formats and settings.
    I could spend considerable time playing around with settings, but thought it easier to ask, as someone might of done this before.
    The fact that I am using a Mac is unimportant - what I need are the optimum settings for: format, bitrate etc?
    Solved!
    Go to Solution.

    i have h264/aac working in either a mp4 or a 3gp container, settings are 352x198 1000kbps ABR video 128kbps audio, baseline level 1.0, no b-frames, no cabac are the main things to remember. this is the largest size 16/9 aspect h264 the 5800 will play,  this gives really good watchable video though and even dropping the video bitrate to 600kbps ABR still gives watchable video. i have attached a mediainfo output file for you to get the full settings i use, hopefully someone will find good use for this
    Attachments:
    5800XM_h264-aac-mp4.txt ‏4 KB

  • Resolution Settings for Video Projection

    I am creating a basic slide show in FCP using color and black and white still images. There are two desired outputs. Currently I'm working on the sequence for video projection, ( a final quicktime movie will be launched on a computer and projected on an 8ft x 8ft screen). The highest resolution of the projector is 1024 x 768. What are the size settings I should use to create my sequence and what compression settings should I use for my final exported piece? Of course I want to maintain the highest possible quality for the photographic stills.
    Thanks,
    G
    Apple G5   Mac OS X (10.4.8)  

    Create a custom sequence which is slightly smaller than the photos so you could move on them... The Compression should probably be Photo JPEG... In QT playback, the screen will resize accordingly... i.e. if you're working in 1024X768, I'd probably work in that sequence size keeping the stills larger than that... But not more than about 2k in either direction or the computer will most likely choke on them. Raise the still cache in the memory settings up a bit for more RT playback.
    Will take a pretty serious hard drive to play this back BTW... as in fast... it's data rate wil likely be about the same as uncompressed HD... set the slider in the compression to abu 75% to gain 4:2:2 color space... 100% will give you larger files that likely won't really look much better.
    Jerry

  • Need web intelligence server memory threshold settings for SAP BO BI XI4.0

    Hi,
    We have found that WIreportserver.exe process taking high memory in our BO systems. We are in SAP Business objects XI 4.0 SP 07 Patch 2 version now.
    We have found that the Web intelligence server memory threshold settings to be changed in case of these issues.
    But there are no documents that says about the recommended settings for SAP BO BI XI 4.0 version.
    The XI 3.1 recommendations(SAP Note:1544103 ) can not be taken as its a 32bit server and the X14.0 is a 64 bit one.
    Please let me know the recommended settings for web intelligence server memory threshold settings  SAP BO BI XI 4.0 version or any SAP note that says about it.
    Any suggestions/ recommendations are welcomed that will fix the issue.
    Thanks in advance.
    Regards,
    Sithara.S

    Hi Henry,
    PFB the answers inline:
    which setting are you referring to?
    There is settings for 'Web Intelligence Server Memory Threshold Settings'  where we will set values for  memory max threshold,memory lower threshold and memory upper threshold values .You can check the SAP note 1544103 which says the settings , but its applicable for 3.1.
    and which ones have you changed already?
    We have not done any changes in settings yet. We are actually searching for the recommended values.
    what errors / symptom are you trying to avoid?
    We are facing  issue in  'WIreportserver.exe' occupying 100% memory.
    Please suggest and let me know if any other information is needed.
    Regards,
    Sithara S

  • Changing default settings for video effect?

    Hi,
    I have a ton of interview clips to which I am adding the Timecode effect for transcriptions and translations.
    For each clip I increase the size and opacity, remove the field symbol and change Timecode Source to Media. I have hundreds of clips and changing the settings for each clip is a real pain.
    Is there any way to change the default settings of the effect so I can just drag the effect to the clips and be done with it?
    Thanks.

    Set up the timecode effect the way you like it on one clip,
    then right-click the clip and select 'Copy'.
    Select all of the other clips to which you want to apply the same effect,
    right-click and select 'Paste Attributes'.

  • LAN side firewall settings for Direct Access (Windows Server 2012 R2) in DMZ?

    I am currently planning to set up our first Direct Access server (Windows Server 2012 R2). I will be in our firewall DMZ and we will be using the IP-HTTPS listener.
    For the Internet facing rule only TCP 443 inbound/outbound is sufficient but for the LAN facing rules (not talking about the Windows server firewall) what would be the recommended firewall rules for a Direct Access server? Is there a best practice guideline
    to follow for this? Appreciate any advice or comments. Thank you.

    Hi Barkley
    Please see this Technet Link which will backup your requirements - https://technet.microsoft.com/en-gb/library/jj574101.aspx
    Section Reads - 
    When using additional firewalls, apply the following internal network firewall exceptions for Remote Access traffic:
    ISATAP—Protocol 41 inbound and outbound
    TCP/UDP for all IPv4/IPv6 traffic
    Also another link from http://www.ironnetworks.com/blog/directaccess-network-deployment-scenarios#.VO3tfvmsVrU
    "I have had a number of conversations with security administrators and network architects who have expressed a desire to place the DirectAccess server between two firewalls (firewall sandwich) in order to explicitly control access from the DirectAccess
    server to the internal corporate network. While at first this may sound like a sensible solution, it is often quite problematic and, in my opinion, does little to improve the overall security of the solution. Restricting network access from the DirectAccess
    server to the internal LAN requires so many ports to be opened on the inside firewall that the benefit of having the firewall is greatly diminished. Placing the DirectAccess server’s internal network interface on the LAN unrestricted is the best configuration
    in terms of supportability and provides the best user experience."
    Kindest Regards
    John Davies
    Thank for your reply and information John. I find it somewhat disappointing that Microsoft does not provide much more in the way of documentation and information regarding this topic. I required more information to show to our security team so they will allow
    us to have the internal facing NIC not have more restrictive rules in place as it is a security concern.

  • What are the best export settings for video with small text?

    I am making videos of lectures (where slides show up next to a small video of a person talking). I would like the text to show up as legibly as possible, all while maintaining a small file size (smallest possible) and still maintaining quality. What would you recommend? The slides change every couple minutes or so, but I don't wnat to reduce the frame rate becuase I do have that small video in the corner. Which settings and format are best? Also, I'll be uploading this to Youtube.
    THANKS!

    Keep in mind that the small video in the corner does not require as high a data rate as a full screen video. So, if a full screen video requires, let's say 5Mb/s for a talking head, you might be able to get away with 2Mb/s or less for the entire frame with a little video and a lot of static slide. Also remember that the less motion in the video, the lower the bit rate can be.
    Try it out.
    Use the H.264 preset for YouTube at the same frame size as what you are editing, and then reduce the data rate to half normal. Export and check out the quality. Then halve it again and check the quality. Keep going until the quality is unacceptable then go up a little. Find your sweet spot.
    It is subjective. You have to decide the lowest bit rate you personally can accept and still be confident that the client will be OK with it.

Maybe you are looking for

  • Sorry does not make up for this purchase!

    Since corporate wouldn't give me an email to send this to, I'm posting this here.   Original-Recipient:{removed per forum guidelines} Final-Recipient: {removed per forum guidelines} Action: delayed Status: 4.4.7 Will-Retry-Until: Sat, 10 Jan 2015 21:

  • How to add a new user so it have the same access with restricted usertime

    When i made a new useraccount to my daughter,with restricted usertime,she have probl.to get into the interned. How can i make it possible to have the same look on her useraccount as mine as admin.but only with restricted usertime? Brgds O.Knutsen

  • Problems with pdf files on OSX10.9

    since updating I cannot save files in pdf format to desktop cloud or evernote also cannot save scans from HP 4700 irritating and apparently no fix any help out there?

  • Display or array values all on one line

    This is my code it gives a strange out come!!!, how do I display the values of the array? System.out.println("hi " + array2[0] + array2[1] + array2[2] + array2[3] + array2[4]);

  • I have a very big problem with my icloud acc

    On 9th of this month , i erase my another device from my "find my iphone " app , after ther i write on my phone the icloud acc  and when i want to press on that iphone's back-up , i can't find it , i must say that , on my another device , when i ente