How is it so lite?

I've recently switched to Arch from Ubuntu, and being a Linux beginner, the frustration of learning so much at once had me swapping back and forth for a couple weeks.  What I noticed during this process was that not only is Arch quite a bit faster (I guess due to the optimization), but it is also MUCH easier on the RAM.  Even Gnome runs on just 50 MB in Arch, where the same needs at least 100 megs in Ubuntu.  How is this possible?  I've tried to change all of my Ubuntu settings to match my Arch settings, and removed everything that I don't have in Arch, and the difference is still there.  How did you people pull this off?  It rocks!

I was using Dapper.
I went on a distro world tour here recently.  School's out for summer, so I don't need my computer for anything serious, so I just picked up a 25 pack of CDs and started installing stuff.  The only thing I've found as fast as Arch is FreeBSD (didn't try Gentoo though, I"m not that patient).  I'm still running it now because I thought it deserved more playing with, since I don't know anything at all about Unix.  I'm having a hard time deciding whether or not I like it more than Arch.  It definately does alot right, and despite my initial resistance, I really like their partitioning scheme.  But in the end, I think pacman will bring me back to Linux.  The insane difference in install speed is a pretty big deal since there isn't much of a speed difference at all.
Anyhow, point is nothing's faster than Arch and I don't even care why anymore.  It just is, and that's good enough for me.

Similar Messages

  • How to use Flash Lite 2.1 as ActiveX component in WM application

    How to embed Flash lite 2.1 as an ActiveX component in
    Windows Mobile application(in C#)?
    From where can i include the supporting flash lite 2.1 dll's.
    Thanks in advance.
    Waiting for your reply.

    I'm having a similar (or the same) problem: I want to embed a
    flash lite (2.0) as an ActiveX component into Windows Mobile. I'm
    using Visual Studio 2005 (VC). For the desktop it works pretty
    well, but for the mobile emulator, the flash component shows no
    video. No errors are thrown.
    could you solve your problem, kts_82?
    Thank you.

  • How to use Cinema4D lite with no opening After Effects CC ?

    How to use Cinema4D lite with no opening After Effects CC ?
    Is that possible ?
    Open a 3D object Photoshop-type in After Effects CC (without C4D)
    It is also possible?
    thanks
    xav

    It is as Mylenium says.
    See this page for details such as this:
    "You open the version of CINEMA 4D that is installed with After Effects using the New > MAXON CINEMA 4D File command or the Edit Original command in After Effects. You will not see this version of CINEMA 4D installed in the Start menu on Windows or in the Applications directory on Mac OS."

  • How is the screen lit?

    Hey, I just got my mbp 17 inch in the mail and i was wondering how the screen is lit...
    The reason i'm curious is just because when i stand from a distance, or look at the screen from an angle, all along the top i can see places where it's lighter, but just along the top, not evenly spaced... I was wondering if everyone gets this or not... Thanks
    -a paranoid mac owner.

    The 17-Hi Res display is not LED backlit as the new 15.4 display. It’s still incorporates the Thin Film Transistor-Liquid Crystal Display (TFT) chemical based design. Unfortunately, it can show variations in contrast brightness.
    http://en.wikipedia.org/wiki/TFT_LCD
    Regards,

  • How to add sql lite winrt

    I am Beginner winrt and sql lite ,  I am creating app that Customer table
    I want how to add data to the Table, edit the data, delete selected data, and delete all
    Please help me Any One
    Here code maybe wrong please right code provide me
    using SQLite;
    namespace MVVM.Models
        public class Customer
            [PrimaryKey, AutoIncrement]
            public int Id { get; set; }
            public string Name { get; set; }
            public string City { get; set; }
            public string Contact { get; set; }
    /////  Relay Command
    /// <summary>
        /// A command whose sole purpose is to relay its functionality
        /// to other objects by invoking delegates.
        /// The default return value for the CanExecute method is 'true'.
        /// <see cref="RaiseCanExecuteChanged"/> needs to be called whenever
        /// <see cref="CanExecute"/> is expected to return a different value.
        /// </summary>
        public class RelayCommand : ICommand
            private readonly Action _execute;
            private readonly Func<bool> _canExecute;
            /// <summary>
            /// Raised when RaiseCanExecuteChanged is called.
            /// </summary>
            public event EventHandler CanExecuteChanged;
            /// <summary>
            /// Creates a new command that can always execute.
            /// </summary>
            /// <param name="execute">The execution logic.</param>
            public RelayCommand(Action execute)
                : this(execute, null)
            /// <summary>
            /// Creates a new command.
            /// </summary>
            /// <param name="execute">The execution logic.</param>
            /// <param name="canExecute">The execution status logic.</param>
            public RelayCommand(Action execute, Func<bool> canExecute)
                if (execute == null)
                    throw new ArgumentNullException("execute");
                _execute = execute;
                _canExecute = canExecute;
            /// <summary>
            /// Determines whether this <see cref="RelayCommand"/> can execute in its current state.
            /// </summary>
            /// <param name="parameter">
            /// Data used by the command. If the command does not require data to be passed, this object can be set to null.
            /// </param>
            /// <returns>true if this command can be executed; otherwise, false.</returns>
            public bool CanExecute(object parameter)
                return _canExecute == null ? true : _canExecute();
            /// <summary>
            /// Executes the <see cref="RelayCommand"/> on the current command target.
            /// </summary>
            /// <param name="parameter">
            /// Data used by the command. If the command does not require data to be passed, this object can be set to null.
            /// </param>
            public void Execute(object parameter)
                _execute();
            /// <summary>
            /// Method used to raise the <see cref="CanExecuteChanged"/> event
            /// to indicate that the return value of the <see cref="CanExecute"/>
            /// method has changed.
            /// </summary>
            public void RaiseCanExecuteChanged()
                var handler = CanExecuteChanged;
                if (handler != null)
                    handler(this, EventArgs.Empty);
    /// ViewModel Base
    class ViewModelBase
            public event PropertyChangedEventHandler PropertyChanged;
            protected virtual void RaisePropertyChanged(string propertyName)
                var handler = this.PropertyChanged;
                if (handler != null)
                    handler(this, new PropertyChangedEventArgs(propertyName));
    ///MainPageViewModel
    class MainPageViewModel : ViewModelBase
            #region Properties
            private int id = 0;
            public int Id
                get
                { return id; }
                set
                    if (id == value)
                    { return; }
                    id = value;
                    RaisePropertyChanged("Id");
            private string name = string.Empty;
            public string Name
                get
                { return name; }
                set
                    if (name == value)
                    { return; }
                    name = value;
                    isDirty = true;
                    RaisePropertyChanged("Name");
            private string city = string.Empty;
            public string City
                get
                { return city; }
                set
                    if (city == value)
                    { return; }
                    city = value;
                    isDirty = true;
                    RaisePropertyChanged("City");
            private string contact = string.Empty;
            public string Contact
                get
                { return contact; }
                set
                    if (contact == value)
                    { return; }
                    contact = value;
                    isDirty = true;
                    RaisePropertyChanged("Contact");
            private bool isDirty = false;
            public bool IsDirty
                get
                    return isDirty;
                set
                    isDirty = value;
                    RaisePropertyChanged("IsDirty");
            #endregion "Properties"
            public ObservableCollection<Customer> _customerlist { get; set; }
     public Person CustomerToAdd { get; set; }
            /// <summary>
            /// Add Customer data to the table
            /// </summary>
            public RelayCommand AddCusomerCommand { get; set; }
            private void addCustomer()
            /// <summary>
            /// Delete Selected Customer data from the table
            /// </summary>
            public RelayCommand DeleteSelectedCustomerCommand { get; set; }
            private void deleteSelectedCustomer()
            /// <summary>
            /// edit Selected Customer data from the table
            /// </summary>
            public RelayCommand EditSelectedCustomerCommand { get; set; }
            private void editSelectedCustomer()
            /// <summary>
            /// Delete All Customer data from the table
            /// </summary>
            public RelayCommand DeleteAllCustomerCommand { get; set; }
            private void deleteAll()
            public MainPageViewModel()
                AddCusomerCommand = new RelayCommand(addCustomer);
                DeleteAllCustomerCommand = new RelayCommand(deleteAll);
                EditSelectedCustomerCommand = new RelayCommand(editSelectedCustomer);
                DeleteSelectedCustomerCommand = new RelayCommand(deleteSelectedCustomer);
    /////////// App.Xaml.Cs
    sealed partial class App : Application
            /// <summary>
            /// Initializes the singleton application object.  This is the first line of authored code
            /// executed, and as such is the logical equivalent of main() or WinMain().
            /// </summary>
            public App()
                this.InitializeComponent();
                this.Suspending += OnSuspending;
            /// <summary>
            /// Invoked when the application is launched normally by the end user.  Other entry points
            /// will be used such as when the application is launched to open a specific file.
            /// </summary>
            /// <param name="e">Details about the launch request and process.</param>
            protected override void OnLaunched(LaunchActivatedEventArgs e)
    #if DEBUG
                if (System.Diagnostics.Debugger.IsAttached)
                    this.DebugSettings.EnableFrameRateCounter = true;
    #endif
                Frame rootFrame = Window.Current.Content as Frame;
                // Do not repeat app initialization when the Window already has content,
                // just ensure that the window is active
                if (rootFrame == null)
                    // Create a Frame to act as the navigation context and navigate to the first page
                    rootFrame = new Frame();
                    // Set the default language
                    rootFrame.Language = Windows.Globalization.ApplicationLanguages.Languages[0];
                    rootFrame.NavigationFailed += OnNavigationFailed;
                    if (e.PreviousExecutionState == ApplicationExecutionState.Terminated)
                        //TODO: Load state from previously suspended application
                    // Place the frame in the current Window
                    Window.Current.Content = rootFrame;
                var dbpath = Path.Combine(Windows.Storage.ApplicationData.Current.LocalFolder.Path,"data.db3");
                using (var db = new SQLite.SQLiteConnection(dbpath))
                    // Create the tables if they don't exist
                    db.CreateTable<Customer>();
                    db.Commit();
                    db.Dispose();
                    db.Close();
                if (rootFrame.Content == null)
                    // When the navigation stack isn't restored navigate to the first page,
                    // configuring the new page by passing required information as a navigation
                    // parameter
                    rootFrame.Navigate(typeof(MVVM.Views.Page1), e.Arguments);
                // Ensure the current window is active
                Window.Current.Activate();
            /// <summary>
            /// Invoked when Navigation to a certain page fails
            /// </summary>
            /// <param name="sender">The Frame which failed navigation</param>
            /// <param name="e">Details about the navigation failure</param>
            void OnNavigationFailed(object sender, NavigationFailedEventArgs e)
                throw new Exception("Failed to load Page " + e.SourcePageType.FullName);
            /// <summary>
            /// Invoked when application execution is being suspended.  Application state is saved
            /// without knowing whether the application will be terminated or resumed with the contents
            /// of memory still intact.
            /// </summary>
            /// <param name="sender">The source of the suspend request.</param>
            /// <param name="e">Details about the suspend request.</param>
            private void OnSuspending(object sender, SuspendingEventArgs e)
                var deferral = e.SuspendingOperation.GetDeferral();
                //TODO: Save application state and stop any background activity
                deferral.Complete();
    /// xaml Code
    <Page.DataContext>
            <ViewModels:MainPageViewModel>
            </ViewModels:MainPageViewModel>
        </Page.DataContext>
        <Grid Background="{ThemeResource ApplicationPageBackgroundThemeBrush}">
            <ListView ItemsSource="{Binding _customerlist}"
                      HorizontalAlignment="Left" Margin="44,65,0,327" Width="456">
                <ListView.ItemTemplate>
                    <DataTemplate>
                        <StackPanel Width="400" Background="Chocolate">
                            <StackPanel Orientation="Horizontal">
                                <TextBlock Text="{Binding Name}" FontSize="30" />
                                <TextBlock Text="," FontSize="30" />
                                <TextBlock Text="{Binding City }" FontSize="30" />
                            </StackPanel>
                            <TextBlock Text="{Binding Contact}" FontSize="30" />
                        </StackPanel>
                    </DataTemplate>
                </ListView.ItemTemplate>
            </ListView>
            <Button Command="{Binding  AddCustomerCommand}"
              Content="Add person"
              FontSize="40" Margin="588,465,0,230"/>
            <Button Command="{Binding EditSelectedCustomerCommand}"
              Content="Edit"
              FontSize="40" Margin="865,465,0,230"/>
            <Button Command="{Binding DeleteSelectedCustomerCommand}"
                    Content="Delete"
                    FontSize="40" Margin="1037,465,0,230" />
            <Button Command="{Binding DeleteAllCustomerCommand }"
                    Content="Delete All"
                    FontSize="40" Margin="979,619,0,76" />
            <TextBlock Text="Name" FontSize="30" Margin="633,65,598,640" Height="63"/>
            <TextBox DataContext="{Binding PersonToAdd}" Text="{Binding Name, Mode=TwoWay}"
                     FontSize="30" Margin="868,62,80,640"/>
            <TextBlock Text="City " FontSize="30" Margin="633,181,551,524"/>
            <TextBox DataContext="{Binding PersonToAdd}" Text="{Binding City, Mode=TwoWay}"
                     FontSize="30" Margin="868,181,80,525"/>
            <TextBlock Text="Age" FontSize="30" Margin="633,296,536,400"/>
            <TextBox DataContext="{Binding PersonToAdd}" Text="{Binding Contact, Mode=TwoWay}"
                     FontSize="30" Margin="868,296,80,403"/>
        </Grid>

    http://social.msdn.microsoft.com/Forums/vstudio/en-US/home?forum=wpf
    The above fourm use MVVM and they can help you there.

  • How to generate doc/lit/wrapped services from existing wsdl?

    Hello,
    I am using workshop 10.1 to generate webservices from existing wsdl files from workshop 8.1. The existings webservices are based on an xmlbean utility project.
    When I generate the webservice from the existing wsdl file it generates automatically services with doc/lit/bare operations. I found in the known issues that this combination is not supported in combination with xmlbeans.
    See: CR283457
    XBeans are not supported as parameters or return type for doc/lit/bare operations.
    Use of Xbeans as a parameter or return type with doc/lit/bare bindings is not supported in operations or callbacks and will result in a failure during deployment.
    Platform: All
    Workaround: Use doc/lit/wrapped for services that use XBeans as parameters or return types.
    The workaround state to use doc/lit/wrapped for services. My questions is how to do that since workshop has all control over the generation of the webservices? ?:|
    Thanks in advance,
    Martijn Baels
    Software Architect
    www.leanapps.com

    Hi Martijn
    If you do generate web service from the wsdl on a 9.2 project, it always uses jax-rpc types and there's no xmlbeans involved.
    If the wsdl is in the schemas folder and the xmlbeans builder is on, then you also have xmlbeans types created by the builder they aren't being used by the web service. You will still have problems, because some of the xmlbeans types may conflict with the jax-rpc types.
    so when we generate webservice from a wsdl it will never use xmlbeans type, even if the xml builder is on, because WLS doesn't support start from wsdl with xmlbeans types.
    Can you please attach the wsdl and the steps so I can replicate and see the issue?
    Thanks
    Vimala

  • How can an Oracle9i Lite DB receive connections via JDBC?

    I have not really experienced with accessing Oracle from Java, so here is a short description of the problem:
    I haven't yet figured out how is a database listening for connections. I think that the use of Listeners is for this job but I have not yet been able to configure them right for enabling access from a Java program. All these terms like SID and Net Configuration Manager are quite confusing and don't know how to use each.
    My database is Oracle9i Lite and called "harris_db". I am using JDeveloper9i and the Thin driver is used for accessing the database. The database is local and I am not sure whether I am supposed to use only TCP, IPC or both protocols. Do I need a Name Server? Also, what should be the database URL? I know that is should have the following format "Oracle:thin@..." but don't know exactly.
    Sorry for all those questions, but I am trying to find a way, I am really confused...!
    Thank you in advance for your assistance.

    The 9i 'Lite' database is not a multi-user db and doesn't have a listener. You should be able to use the JDBC/ODBC bridge to get to it, I haven't looked at the lite version in a while there should also be a type-2 driver for it which would eliminate the bridge. I doubt very much that there is a type-4 driver for it, but you can check. The 'big' Oracle type-4 (thin) and type-2 (OCI) drivers are not intended for use with Oracle Lite.

  • How to Import AVCHD Lite From iMoves to Aperture

    I am very new at this, but I have found that I can import my AVCHD Lite movies from my Panasonic camera into iMoves with no problem. Just plug in the camera card in the card reader and off we go. This is great, now I would like to move the AVCHD Lite movies from iMove to Aperture, please tell me in very simple terms how I can do this or if it is impossible

    You can't import AVCHD to Aperture.
    Think of it this way: Video files are huge and so folks who work with Video talk of Production Formats and Deliver Formats. So, they shoot in Production formats because they contain the most data, are less compressed and survive the editing process with minimal quality loss. They then export the finished product to Delivery formats. These are heavily compressed and not suited for further editing. But the smaller file size is ideal for delivering to the viewer.
    AVCHD is a Production Format (not a pro-level one, obviously) and is designed for processing and exporting to a smaller sized deliver format. That's what Movie is for.
    It's broadly analogous to shooting Raw and processing into a Jpeg.
    Regards
    TD

  • How to install flash lite on mobiles with no flash player?

    I am developing flash multimedia package for mobiles and the target audience use variety of handsets.. older Nokia phones support Flash Lite 1.1 so i dont have problems with that..There are new handsets like Samsung B5722 which do not support flash...How do i go about it? Is there a solution to make my application platform independent?

    Dave111111 wrote:
    Cheers
    Is there any way around it?
    Using a third party app perhaps which would mimic Flash ?
    Thanks
    No way around, if there was a way around, the Adobe wouldn't stop supporting flash on mobile phones
    The silence will fall

  • How to determine Last Lite Item of a Main Window in SCRIPTS

    Hi All,
    I have a requirement <b>to print a value after all the Line Items have been printed in a main window.</b>
    The question is <b>how do I determine the end of Line Items</b>?
    Also, this needs to be done without a change in the print program.
    Please suggest your valuable opinions.
    Thanks & Regards,
    Arun

    Hi yerram,
    1. There is no direct way,
       to know which is the last line time getting printed,
       (from inside the sapscript)
    2. Bcos, the sequence is controlled by the driver program.
    3. What u can do is check the driver program and the layout,
       to detect,
       some ELEMENT
       which must be getting printed, after all the line items are printed.
      (inside that element, u can write your own
       text to get printed)
    regards,
    amit m.

  • How (Funny)  is oracle lite on iPAQ !!!

    i am doing VB programming on msacess in iPAQ device ,
    there is some limitation in sql and one told me those are not exists in orale lite
    so i tred it , intallation ok , running msql ok , creating odb ok ,
    when it comes to programming with ADOCE it is the disaster ;
    i have table ORDER ( OREDERNO NUMBER(9) , ..... )
    when i use
    set orders = CreateObject(oladoce.recordset)
    orders.Open "ORERS", ,1,3
    orders.AddNew
    orders.Fields("ORDERNO").value = 21
    orders.Update
    the program exits on line 2 , even ON ERROR can't catch the error
    the funny thing it passes for some other numbers e.g.
    orders.Fields("ORDERNO").value = 1
    orders.update
    anyone had things like that

    Don't know if you're using J9 as your VM, but if so I had similar problems with other DLLs and the only way to make it see them (even if using java.library.path) was to place them in the bin directory under the path where you installed the VM in the device.
    Hope this helps.
    Regards

  • How to add Flash LIte 3.1 into Publish Settings in Flash CS6?

    I have Flash Lite 3.0 and 4.0 and I need to make a SWF for Flash Lite 3.1.
    Is there way to add this player to the list so it will work in CS6?
    Thanks!

    No, it doesn't work.
    I installed the CS6 update as requiested on the page but CS4 one just says "Cannot Install press Quit button" without any further details.

  • How to obtain oracle lite polite jdbc driver

    Hi
    I have an old project which I need to compile. However this project imports oracle.lite.poljdbc.OracleCallableStatement and
    oracle.lite.poljdbc.OracleResultSet.
    Where can I obtain a zip/jar/exe that contains these classes? Or if they are obsolete, which classes can I use as replacement?
    Thanks in advance!
    Alex

    Hi
    It should be in a JAR file under $ORACLE_HOME/Mobile/classes or $ORACLE_HOME/Mobile/sdk.
    Chris

  • How to install Oracle Lite ODBC driver without connecting the mobile server

    My Oracle Lite version is 10g R3.
    I am using branch office version application.
    I wanted to connect oracle client database(.odb file) via Lite DSN in a windows XP machine without installing the client in that device.
    Some of my users wanted to access the client database from backend which requires a DSN entry in that device.Oracle Lite ODBC gets registered in the device only when we do a setup from the mobile server or if Oracle 10g Lite MDK is installed.
    I do not want either of this to be done in my user PC. I wanted a ODBC utility which will register oracle Lite ODBC Driver (Normal & Cleint) in the user PC so that i can manually create and configure the DSN.
    Does anyone have a solution for this?
    Regards,
    Ashok Kumar.G

    Dear Sir,
    Yes, you can find the Driver here
    http://www.oracle.com/technology/software/tech/windows/odbc/index.html

  • How efficent is accessing Lite via ODBC?

    (we haven't got yet Oracle Lite nor know too much about it ...)
    we developed a "prototipe" using MS Access, and now we are planning to upsize to a client/server architecture, and we are thinking to use 8iLite, but we would like not to throw away the front end, so we are going to use ODBC: is it reasonable to access an 8iLite server via the ODBC driver, or we need to use native API calls to achieve aceptable performance?
    thank you for any information

    Is anybody still curious about this?
    Thanks!
    Ed Price, Power BI & SQL Server Customer Program Manager (Blog,
    Small Basic,
    Wiki Ninjas,
    Wiki)
    Answer an interesting question?
    Create a wiki article about it!

  • How to Use Flash Lite 2.1 on Nokia N70-1

    I have downloade Flash Lite 2.1(S60-v2) from the Adobe web site to my new Nokia N70-1. But I can't see any use for it since it doesn't integrate with the default browser or the pre-installed Opera browser as the Flash Player on the PC does with Internet Explorer or Firefox. Can anyone please help me to sort this out. Thank you in advance for your support.

    If you downloaded it from Adobe's developer site, then it is a developer version, and it'll work with "standalone" Flash Lite files stored locally on the phone (there's no browser support, no browser plugins included).

Maybe you are looking for