Labels

Cari di blog ini

Codeigniter Development PHP

Class Exception pada CodeIgniter dan Dilema Errors Template

Silakan Ngomen
Beberapa bulan terakhir ini saya dan beberapa teman kru Nyankod sedang mengembangkan produk baru Nyankod yaitu Devository, situs tanya jawab seputar pemrograman. Kami mengembangkannya di atas framework CodeIgniter, lebih khususnya di atas CMS yang kami kembangkan sendiri bernama Jooglo. Di dalamnya kami buat beberapa pondasi supaya pengembangan bersifat modular dan reuse. Kedepannya, setelah devository beres, kami akan mengembangkan Jooglo ini sebagai CMS baru berbasis CodeIgniter.

Hari ini saya sedang menggarap modul tanya jawab, ketika tiba-tiba muncul error pada class exception. Seperti kita tau, class exception ini kan mengatur tampilan error, mulai dari error general seperti 404 sampe error php. Jadi ada error pada class pengatur error hahaha.. lucu ga? Engga? Ok. Kita lanjut.

Saya sudah mengintegrasikan CodeIgniter versi 3.0-dev ke dalam inti Jooglo setelah sebelumnya menggunakan versi 2.1.4. Banyak peningkatan kemanan dan fitur, salahsatunya adalah error templating. Kalo di versi 2 itu template error disimpan di dalam folder application/errors/, sekarang sudah disimpan di dalam folder application/views/errors/. Ada 5 buah file template, diantaranya error_404.php, error_db.php, error_general.php dan error_php.php.  Keuntungannya adalah, kita dapat memanfaatkan $this->load->view() pada template error ini. Kalo dulu kan terpisah dari lingkungan kerja view, sehingga templatingnya berdiri sendiri mulai dari tag <html> sampe ditutup. Kemajuan ini sangat membantu pekerjaan kita sebagai programmer CodeIgniter.

Nah, sekarang, di Jooglo, kami memanfaatkan librari Template yang sudah kami modifikasi sehingga librari ini mendukung modularisasi tema. Maksudnya, kalo secara default kita menyimpan semua file view di dalam folder application/views/, nah dengan modifikasi kami, file view bisa disimpan di dalam folder tema. Dengan demikian kita tinggal memilih tema mana yang akan digunakan dan sistem pun akan menggunakan file view yang ada pada folder tema yang dipilih.

Nah permasalahannya adalah, keinginan saya, dimana file template error, yang sekarang sudah ada di dalam folder views/ itu, juga bisa di-override dari views/ di dalam folder tema. Gimana caranya? Yaa, karena template errors itu sudah berfungsi di dalam application/views/, mestinya ketika saya sudah bisa membuat sistem override view ke dalam tema, berarti template errors itu berfungsi juga dong. Yah, harapannya kan begitu.

Ternyata, template error itu berbeda cara pemanggilannya dengan template view yang lain. Kalo file view yang biasa kita tinggal panggil saja $this->load->view() dari dalam controller atau file view lain. Kalo template errors itu yang pake ternyata adalah file class di dalam folder system/core/ yang bernama Exception.php. File inilah yang mengatur bagaimana sebuah error ditampilkan. Method di dalam class inilah yang menggunakan template errors.

Override Class Exception

Kondisi tersebut membuat saya mesti meng-override class Exception. Caranya adalah dengan membuat class MY_Exception yang extends dari class CI_Exception, dan menyimpannya di dalam folder application/core/ dengan nama file MY_Exception.php. Ini adalah salahsatu method yang mesti di-override.

Kondisi mula sebelum override di dalam class CI_Exception

function show_php_error($severity, $message, $filepath, $line)
{
    $severity = isset($this->levels[$severity]) ? $this->levels[$severity] : $severity;
    $filepath = str_replace('\\', '/', $filepath);

    // For safety reasons we do not show the full file path
    if (FALSE !== strpos($filepath, '/'))
    {
        $x = explode('/', $filepath);
        $filepath = $x[count($x)-2].'/'.end($x);
    }

    if (ob_get_level() > $this->ob_level + 1)
    {
        ob_end_flush();
    }

    ob_start();
    include(VIEWPATH.'errors/error_php.php');
    $buffer = ob_get_contents();
    ob_end_clean();
    echo $buffer;
}

Kemudian saya modif jadi begini supaya template errors dapat dibaca dari dalam views yang ada di dalam tema yang sedang aktif.

function show_php_error($severity, $message, $filepath, $line)
{
    $CI =& get_instance();

    $severity = isset($this->levels[$severity]) ? $this->levels[$severity] : $severity;
    $filepath = str_replace('\\', '/', $filepath);

    // For safety reasons we do not show the full file path
    if (FALSE !== strpos($filepath, '/'))
    {
        $x = explode('/', $filepath);
        $filepath = $x[count($x)-2].'/'.end($x);
    }

    if (ob_get_level() > $this->ob_level + 1)
    {
        ob_end_flush();
    }

    $templates_path = VIEWPATH.'errors'.DIRECTORY_SEPARATOR.'error_php.php';

    if(file_exists($CI->template->theme_path().'/views/errors/error_php.php'))
    $templates_path = $CI->template->theme_path().'/views/errors/error_php.php';
   
    ob_start();
    include($templates_path);
    $buffer = ob_get_contents();
    ob_end_clean();
    echo $buffer;
}

Saya menggunakan $CI =& get_instance(); yang berarti sistem memuat objek controller sehingga dari objek itu saya bisa panggil library atau objek lain yang sudah diload oleh controller. Tapi ternyata fungsi theme_path() yang saya panggil dari library template tidak dikenali. Aneh kan, biasanya dengan cara yang sama kita bisa panggil library apapun di dalam library atau helper atau file core lain. Tapi di class Exception ini tidak berfungsi sebagaimana mestinya.

Setelah googling, ketemulah inti masalahnya. Ternyata, class Exception ini diload oleh sistem sebelum sistem meload class Controller, jadi wajarlah bila objek Controller tidak dikenali oleh Exception. Sampe kapanpun $CI =& get_instance(); ga akan pernah berjalan di dalam Exception.

Solusi Errors Template

Yang terbayang sama saya ada dua solusi. Pertama adalah dengan membuat fungsi error di dalam controller sehingga setiap error yang muncul itu pada dasarnya memanggil fungsi error di dalam controller atau dengan kata lain, template errors ini tidak digunakan oleh class Exception, melainkan oleh fungsi error yang kita buat di controller tadi. Konsekuensinya adalah, kita harus mengalihkan pemanggilan setiap error ke controller. Seperti kita tau, fungsi show_error(), show_404() dan fungsi error lain itu terdapat di dalam file system/core/Common.php dan semua fungsi di dalamnya digunakan hampir di semua tempat di dalam file core lain. Kalo kamu buka file system/core/Codeigniter.php, disitu kita lihat file Common.php dimuat paling awal, karena dia digunakan oleh hampir semua class lainnya. Dengan kata lain, fungsi di dalam Common.php ini tidak bisa memanggil fungsi yang ada pada controller karena controllernya kan belum diload saat Common.php ini diload. Paling banter adalah kita hanya bisa melakukan ini pada fungsi show_404(), dengan cara mengeset variabel $route['404_override'] = ''; pada file config routes.php dengan URI yang menampilkan error 404.

Tapi da saya mah pengennya semua template errors bisa dioverride, ga hanya yang error_404 aja. Akhirnya saya pake cara kedua, dengan mengambil data nama tema yang digunakan dari database. Lengkapnya seperti ini:

function show_php_error($severity, $message, $filepath, $line)
{
    // ambil data dari database
    require_once BASEPATH.'database/DB'.EXT;
    $theme = DB()
            ->select('value')
            ->where('name', 'template')
            ->get('jooglo_options')
            ->row();

    $severity = isset($this->levels[$severity]) ? $this->levels[$severity] : $severity;
    $filepath = str_replace('\\', '/', $filepath);

    // For safety reasons we do not show the full file path
    if (FALSE !== strpos($filepath, '/'))
    {
        $x = explode('/', $filepath);
        $filepath = $x[count($x)-2].'/'.end($x);
    }

    if (ob_get_level() > $this->ob_level + 1)
    {
        ob_end_flush();
    }

    $templates_path = VIEWPATH.'errors'.DIRECTORY_SEPARATOR.'error_php.php';

    if(file_exists(APPPATH.'themes/'.$theme->value.'/views/errors/error_php.php'))
    $templates_path = APPPATH.'themes/'.$theme->value.'/views/errors/error_php.php';
   
    ob_start();
    include($templates_path);
    $buffer = ob_get_contents();
    ob_end_clean();
    echo $buffer;
}

Disini saya mengambil terlebih dahulu nama tema yang sedang aktif dari dalam database, dan menggunakannya untuk merujuk folder tema mana yang akan digunakan. Saya melakukannya pada fungsi yang lain yang ada di dalam class MY_Exception. Dengan begini semua template errors bisa dioverride dari dalam tema. Yes! Alhamdulillah..
Impression kreatif lagu Nonton videos

OK Go: Writing's on the Wall

Silakan Ngomen
Akhirnya, rilis video klip terbaru dari OK Go muncul. Seperti biasa, dengan segala keunikan idenya, OK Go kini menghadirkan video klip yang 'mempermainkan' sudut pandang kamera (Eyes Boggling) sehingga menampilkan kesan tertentu. Ya gitulah kira-kira. Mending liat aja langsung video klipnya. Saya yakin kamu juga akan bilang "WOW!"

Bisnis Daily Tips

Memastikan Postingan Asli atau Palsu di Olx.co.id

Silakan Ngomen
Seharian ini cari-cari laptop bekas di Kaskus, Olx dan Berniaga. Ternyata dalam satu hari, terutama di Olx, itu postingan terkait laptop berkas bisa sampe ratusan, sepertinya. Soalnya, postingan produk bertambah setiap jamnya. Dalam satu jam, produk yang diposting terkait laptop itu bisa nyampe 50-60 posting. Saya yakin pastinya ada aja yang posting produk yang tipu-tipu alias tidak ada barangnya.

Setelah saya pelajari, ternyata ada beberapa gejala yang mengindikasikan suatu posting produk (terutama di Olx) yang kemungkinan besar tidak ada produknya alias tipu-tipu. Beberapa ciri yang bisa kita amati diantaranya:

Foto produk menggunakan foto yang sudah dipakai oleh orang lain. Untuk mengecek ini kita bisa memanfaatkan layanan google images (http://images.google.com). Tinggal donlot foto yang mau dicek lalu drag ke kotak pencarian di google image. Bila muncul dua atau lebih hasil postingan dengan foto yang sama, kita bisa pastikan hanya satu yang asli, sisanya palsu.

Coba perhatikan profil si penjual. Biasanya untuk setiap posting produk dipasang juga lokasi si penjualnya. Hal ini dikarenakan cara paling aman adalah dengan Cash on Delivery atau ketemuan langsung. Supaya bisa ketemuan langsung maka biasanya orang akan cari lokasi penjual terdekat. Maka lokasi menjadi hal yang penting. Saya menemukan beberapa profil penjual di Olx yang memposting beberapa produk yang sama atau mirip, tapi lokasinya berbeda-beda. Kasus seperti ini hampir bisa dipastikan si penjual tidak akan bisa ketemuan dengan kita dan memperlihatkan produknya, sehingga kalaupun terjadi transaksi, dia akan menawarkan dengan cara pengiriman barang, dan ini sangat dikhawatirkan terjadi penipuan. Profile penjual seperti ini saya sarankan ditinggalkan saja :)

Coba kenali harga. Saya menemukan penjual yang memenuhi poin 1 (posting dengan foto milik orang lain) dan 2 (posting dengan lokasi yang berbeda-beda), ternyata dia memasang harga jauh di bawah standar. Misalnya laptop dengan prosesor Core i3 dijual 1,1 juta. Ini tidak masuk akal. Kalopun memang benar ada, untuk kasus orang ini, dia posting dengan foto milik orang lain. Kita bisa asumsikan dia punya maksud lain selain berjualan dengan cara yang benar. So, lihatlah harga secara objektif. Jangan tergiur dengan harga murah untuk spek yang tinggi.

Demikian beberapa analisis saya terkait postingan asli atau palsu di Olx dan Berniaga. Saya sarankan untuk selalu pilih produk yang bisa ketemuan langsung sehingga kita bisa mengecek barangnya langsung. :)
Daily Jaman SMP Refleksi

Saya dan Nasyid (1)

Silakan Ngomen
Tadi sore sehabis nganter Istri ke tempat workshop crafty, kami mampir dulu ke Borma Padalarang. Bukan untuk menyapa si pemilik Borma karena saya tidak tau siapa dia, tapi mau membeli sesuatu. Sesuatu itu adalah parutan buat wortel supaya si wortel terpotong panjang-panjang gitulah.

Di Borma ketemu sama temen SMP yaitu dia si Yanda. Dia sama calonnya mau belanja sesuatu yang lupa saya tanyakan. Dia cerita kalo sekarang dia kerja di Dinas Pendidikan Bandung Barat. Minggu-minggu kemaren dia ada kegiatan di SMP dan ketemu beberapa guru yang ternyata masih ingat padanya. Salahsatunya adalah Bu Dewi.

Nah itu latar belakang dari apa yang akan saya ceritakan sekarang. Mengingat Bu Dewi saya jadi inget dulu pernah minjemin saya kaset nasyid Shaffix. Kalo tidak salah album pertama. Beliau menawari saya pinjaman karena beliau tau saya juga suka dengerin nasyid. Saya kenal nasyid pertama kali pada saat SD, yang mana ketika itu salahsatu abang saya dari uwa saya memberikan kaset nasyid Raihan album pertama miliknya kepada saya. Dari situ saya setel terus sampe hapal meskipun tidak dihapal, dan akhirnya suka.

Kembali ke Shaffix. Waktu itu saya pertama denger belum terlalu akrab sama lagunya. Jadi saya cuma putar sekali saja. Belum suka waktu itu. Ga kerasa sudah satu minggu saya pinjam dan saya baru setel itu kaset sekali atau dua kali. Ketika suatu saat bertemu sama Bu Dewi, saya ditanya lagu yang mana yang paling saya suka. Saya jawab satu lagu yang belakangan saya tau judulnya 'Dalam Doa'. Saya jawab itu bukan karena itu yang saya paling suka, tapi karena itu yang saya paling ingat. Tapi pada akhirnya saya suka juga semua lagu Shaffix. Saya jadi suka karena saya sering setel itu sehingga akrab di telinga.

Kesini-kesini saya paham bahwa orang menyukai suatu musik bukan karena faktor lagunya yang enak didengar saja, tapi juga karena sering didengarkan. Awalnya mungkin ada dorongan untuk menyetel berulang, apakah karena disuruh teman, guru, atau orang lainnya, atau karena penasaran, gengsi, biar dianggap gaul, respek, ataupun alasan lainnya. Tapi saya berani bilang awalnya pasti orang belum suka. Dia akhirnya suka dengan sepenuh hatinya karena ia sering mendengar, sampai akrab di telinganya, dan diterima oleh bawah sadarnya sebagai lagu yang enak didengar. Meskipun bagi orang selain dirinya lagu itu dianggap tidak enak atau bahkan mengganggu pendengaran.

Dari kesimpulan itulah saya belajar menghargai orang lain dan selera musik masing-masing mereka.
Daily Impression Refleksi Tafakur videos

Jangan Pernah Bilang "Huh!", Walau Bagaimanapun

Silakan Ngomen
Pernahkah kau sebagai anak merasa kesal atau sebel karena dimintai tolong sama mamahmu buat beli ini itu ke warung? Atau pernahkah kau sebagai cucu merasa kesal karena kelakuan nenekmu yang cerewet? Saya pernah mengalami keduanya.

Tidak ada alasan untuk membenci ibu dan ayah kita, nenek dan kakek kita, walau bagaimanapun. Tidak akan pernah ada alasan yang cukup melegitimasi kita untuk mendengus, apalagi membentak mereka, walau bagaimanapun. Sebodoh apapun mereka, seburuk dan sejahat apapun mereka. Bahkan ketika orang tua kita menyuruh kita untuk berbuat durhaka kepada Allah, kita tetap wajib memperlakukan mereka dengan baik/ma'ruf.

Silakan saksikan video ini, semoga menginspirasi.


Daily Tafakur

Cuma Kurang Satu Menit Saja

Silakan Ngomen

Pulang dari kampus, setelah main-main bentar sama Wil lalu ngelonin dia (mamahnya sih yang ngelonin), akhirnya Wil pun tertidur, bersama saya yang kecapean. Si Kamah ngingetin saya supaya posting dulu karena hari ini belum posting. Tapi saya sudah terlanjur ngantuk dan berharap di detik-detik terakhir pergantian hari, saya bangun dan terjaga buat posting.

Benarlah, saya bangun tengah malam, dibangunin sama si Kamah. "A, udah jam 11:57, cepetan posting". Aku yang masih lulungu seketika loncat dari kasur dan membuka laptop. Syukurlah laptop sudah dinyalain sama si Kamah. Tapi masalahnya, modemnya belum nyolok. Rencananya saat itu yang penting bikin judul dulu kemudian posting. Kontennya nyusul kemudian.

Modem sudah dicolokin. Singggg... sunyi. Nunggu suara "Dongdeng.. Dengdong.." (suara notifikasi kalo ada perangkat yang terkoneksi dengan komputer. Saya pake Ubuntu). Satu menit sudah berlalu. Sambil nunggu koneksi masuk, saya buka browser. Singgg.... sunyi. Saya ketikkan blogger.com. Ga konek. Saya refresh berkali-kali. Berkali-kali. Masuklah ke blogger. Saya tekan tombol Buat Entri. Loading. Loading. Muncul halaman form entri. Udah 23:59. Saya ketikkan judul, lalu klik tombol Publikasikan. Loading. Loading. Halaman browser akhirnya kembali ke daftar post, yang tandanya sudah berhasil publis. Saat itu pukul 00:00, berarti sudah pindah hari.

Saya buka homepage, dan benarlah posting yang baru saja saya post itu ternyata terpasang di hari kamis. Cuma kurang satu menit saja padahal. Saya berpikir dan terheran-heran jadinya, kenapa 00:00 itu masuk ke hari yang baru, bukan menit terakhir hari yang sebelumnya -____-

Rasanya ingin geser menit, satu meniiit saja. Tapi tak ayal, itu jam settingan server si google, bukan jam di komputer saya, meskipun bisa saya manipulasi tanggalnya, tapi hati berkata "jangan.."

Satu menit begitu berharga. Bahkan mungkin itu dalam hitungan detik. Kita tidak bisa kembali mundur walau cuma satu detik. Baru kali ini saya merasakan ketegangan dikejar-kejar detik. Saya jadi inget satu kisah:
Dan belanjakanlah sebagian dari apa yang telah Kami berikan kepadamu sebelum datang kematian kepada salah seorang di antara kamu; lalu ia berkata:` Ya Tuhanku, mengapa Engkau tidak menangguhkan (kematian) ku sampai waktu yang dekat, yang menyebabkan aku dapat bersedekah dan aku termasuk orang-orang yang saleh? Dan Allah sekali-kali tidak akan menangguhkan (kematian) seseorang apabila datang waktu kematiannya. Dan Allah Maha Mengenal apa yang kamu kerjakan.
Itu adalah gambaran seseorang setelah ia mati lalu dihidupkan kembali, sehingga ia dengan segala penyesalannya berharap untuk dihidupkan kembali dari kematian lalu menambal amal kebaikan yang kurang sehingga amalnya bisa menyelamatkannya, meskipun cuma satu menit saja. Sayangnya, Allah sekali-kali tidak akan pernah menangguhkan kematian seseorang apabila datang waktu kematiannya.

Kejadiannya persis seperti saya yang dikejar-kejar deadline 23:59. Sekali-kali waktu itu tidak dapat dimundurkan. Sekali-kali tidak dapat aku kembali ke menit-menit sebelumnya supaya postingnya lebih leluasa. Saat itu saya hanya tinggal menunggu waktu hingga ia tiba di angka 00:00 maka habislah waktu posting saya hari itu dan sekali-kali waktu tidak akan dapat ditangguhkan.

Semoga saya, dan keluarga saya, dan sahabat saya, tidak termasuk orang-orang yang melalaikan waktu meski hanya satu detik, untuk tertinggal amalan, sehingga menjadi kelompok orang yang merugi di akhirat seperti gambaran pada ayat di atas, al-Munafiqun: 10-11.

Sasya pun tidur lagi, sembari menghitung berapa banyak uang yang tersisa untuk bisa mentraktir teman-teman #ODOBP. Oh, ternyata masih banyak.
Daily Nonton Tafakur

Ceritanya Mau Ngejelasin Racun Curare

2 comments
Akhir-akhir ini rasanya malam jadi susah tidur dan pagi jadi sering ngantuk. Mungkin karena beberapa minggu lalu ngerjain proyek sampe nginep-nginep di lab sambil begadang sampe subuh lalu tidur setelah solat shubuh, sehingga sepertinya jadwal tubuhku berubah. Seperti malam ini. Habis nonton bareng sama si Ayay. Ayay itu panggilan saya buat istri saya, dan itu khusus buat saya saja yang boleh pake. Kalo kamu mau manggil istri saya dengan sebutan selain nama, silakan pake nama Kibu. Iya, kami nonton film serial Arrow. Jangan tanya dari mana saya dapat, karena saya ga ngebajak. Cuma dikasih teman saja, itupun dia yang nawarin buat dikopiin ke harddisk saya.

Saya nonton ampe episode ke-3. Saat itu beres, si Kibu sudah ketiduran. Di episode ketiga itu saya dapet istilah curare. Saya serta merta mengingat-ingat kembali darimana saya dapet istilah itu sebelumnya. Ternyata saya ingat. Istilah itu juga digunakan di dalam film serial Sherlock BBC. Kalo episode keberapanya saya lupa dan males nginget-ngingetnya. Curare itu nama salahsatu jenis racun. Karena penasaran jadi saya googling deh. Nemu beberapa referensi dari blog-blog berbahasa Indonesia. Lumayan ada gambaran, tapi sepertinya ga selengkap dari apa yang saya temukan di Wikipedia. Yang bahasa Indonesianya ga ada. Pengen kontribusi, tapi lagi malas dan malas pake mantera "Allohumma, Paksakeun". Tautannya disini http://en.wikipedia.org/wiki/Curare. Kamu juga pasti bisa nemu kalo mau googling. Tapi kan ada malesnya kalo engga bener-bener niat pengen tau. Jadi saya jelasin sekilas disini, sebagai ganjaran dari kamu yang sudah bersusah payah buka blog saya. Penjelasan berikut saya rangkum dari tautan yang diatas itu.

Curare, adalah istilah umum yang digunakan untuk berbagai ekstrak tanaman alkaloid yang biasa digunakan sebagai racun panah, yang berasal dari Amerika tengah dan Selatan. Racun ini melemahkan otot-otot rangka dan pada dosis tertentu menyebabkan kematian oleh sesak napas karena kelumpuhan diafragma. Racun ini digunakan oleh orang-orang pribumi Amerika Selatan untuk berburu dan berperang.

Waduh panjang dan belibet gening penjelasannya. Yaudah kalo ada waktu dan niat, nanti saya sambung lagi. Udah malem, mesti tidur biar besok ga ngantuk di motor hehe..
Codeigniter Daily Development pictures Repositori

Nyoba CodeIgniter 3.0-dev

Silakan Ngomen
Tampilan baru (mungkin sementara) user guide CodeIgniter 3.0-dev

Setelah versi 2.2.0 rilis tanggal 5 Juni kemarin, saya jadi penasaran pengen nengok repositorinya di github (https://github.com/EllisLab/CodeIgniter). Ternyata untuk versi 3.0 cuma tersisa satu issue lagi, yakni librari Session yang baru. Sudah jadi, tinggal dites untuk recording session ke database pada database selain mysql. Kalo itu udah beres, maka tinggal dirilis deh versi 3 inih. Melihat ini saya jadi cukup yakin sekarang buat pake CodeIgniter versi 3 ini untuk diimplementasikan lebih awal di sistem inti Devository yang sedang kami (tim pengembang Nyankod) selesaikan.

Bicara CI 3, ada banyak sekali peningkatan dan penambahan fitur, plus beberapa perbaikan dari sisi keamanan. Berikut daftar perubahan dari versi 2.2.0 ke versi 3. Memang cukup panjang, tapi saya pribadi seru bacanya. :D

Lihat Changelog
  • License
    • CodeIgniter has been relicensed with the Open Software License (3.0), eliminating its old proprietary licensing.
      • All system files are licensed with OSL 3.0.
      • Config, error, and sample files shipped in the application folder are
        licensed with the Academic Free License (3.0) to allow you to retain
        all licensing authority over your own application code.
  • General Changes
    • PHP 5.1.6 is no longer supported. CodeIgniter now requires PHP 5.2.4.
    • Changed filenaming convention (class file names now must be Ucfirst and everything else in lowercase).
    • Changed the default database driver to ‘mysqli’ (the old ‘mysql’ driver is DEPRECATED).
    • $_SERVER['CI_ENV'] can now be set to control the ENVIRONMENT constant.
    • Added an optional backtrace to php-error template.
    • Added Android to the list of user agents.
    • Added Windows 7, Windows 8, Windows 8.1, Android, Blackberry, iOS and PlayStation 3 to the list of user platforms.
    • Added Fennec (Firefox for mobile) to the list of mobile user agents.
    • Ability to log certain error types, not all under a threshold.
    • Added support for pem, p10, p12, p7a, p7c, p7m, p7r, p7s, crt, crl, der, kdb, rsa, cer, sst, csr Certs to mimes.php.
    • Added support for pgp, gpg, zsh and cdr files to mimes.php.
    • Added support for 3gp, 3g2, mp4, wmv, f4v, vlc Video files to mimes.php.
    • Added support for m4a, aac, m4u, xspf, au, ac3, flac, ogg, wma Audio files to mimes.php.
    • Added support for kmz and kml (Google Earth) files to mimes.php.
    • Added support for ics Calendar files to mimes.php.
    • Added support for rar, jar and 7zip archives to mimes.php.
    • Updated support for xml (‘application/xml’) and xsl (‘application/xml’, ‘text/xsl’) files in mimes.php.
    • Updated support for doc files in mimes.php.
    • Updated support for docx files in mimes.php.
    • Updated support for php files in mimes.php.
    • Updated support for zip files in mimes.php.
    • Updated support for csv files in mimes.php.
    • Added Romanian, Greek, Vietnamese and Cyrilic characters in application/config/foreign_characters.php.
    • Changed logger to only chmod when file is first created.
    • Removed previously deprecated SHA1 Library.
    • Removed previously deprecated use of $autoload['core'] in application/config/autoload.php.
      Only entries in $autoload['libraries'] are auto-loaded now.
    • Removed previously deprecated EXT constant.
    • Updated all classes to be written in PHP 5 style, with visibility declarations and no var usage for properties.
    • Moved error templates to application/views/errors/.
    • Added support non-HTML error templates for CLI applications.
    • Made error templates path configurable using $config['error_views_path'].
    • Moved the Log class to application/core/
    • Global config files are loaded first, then environment ones. Environment config keys overwrite base ones, allowing to only set the keys we want changed per environment.
    • Changed detection of $view_folder so that if it’s not found in the current path, it will now also be searched for under the application folder.
    • Path constants BASEPATH, APPPATH and VIEWPATH are now (internally) defined as absolute paths.
    • Updated email validation methods to use filter_var() instead of PCRE.
    • Changed environment defaults to report all errors in development and only fatal ones in testing, production but only display them in development.
    • Updated ip_address database field lengths from 16 to 45 for supporting IPv6 address on Trackback Library and Captcha Helper.
    • Removed cheatsheets and quick_reference PDFs from the documentation.
    • Added availability checks where usage of dangerous functions like eval() and exec() is required.
    • Added support for changing the file extension of log files using $config['log_file_extension'].
    • Added support for turning newline standardization on/off via $config['standardize_newlines'] and set it to FALSE by default.
  • Helpers
    • Date Helper changes include:
      • Added an optional third parameter to timespan() that constrains the number of time units displayed.
      • Added an optional parameter to timezone_menu() that allows more attributes to be added to the generated select tag.
      • Added function date_range() that generates a list of dates between a specified period.
      • Deprecated standard_date(), which now just uses the native date() with DateTime constants.
      • Changed now() to work with all timezone strings supported by PHP.
      • Changed days_in_month() to use the native cal_days_in_month() PHP function, if available.
    • URL Helper changes include:
      • Deprecated separator options dash and underscore for function url_title() (they are only aliases for ‘-‘ and ‘_’ respectively).
      • url_title() will now trim extra dashes from beginning and end.
      • anchor_popup() will now fill the href attribute with the URL and its JS code will return FALSE instead.
      • Added JS window name support to the anchor_popup() function.
      • Added support (auto-detection) for HTTP/1.1 response codes 303, 307 in redirect().
      • Changed redirect() to choose the refresh method only on IIS servers, instead of all servers on Windows (when auto is used).
      • Changed anchor(), anchor_popup(), and redirect() to support protocol-relative URLs (e.g. //ellislab.com/codeigniter).
    • HTML Helper changes include:
      • Added more doctypes.
      • Changed application and environment config files to be loaded in a cascade-like manner.
      • Changed doctype() to cache and only load once the doctypes array.
      • Deprecated functions nbs() and br(), which are just aliases for the native str_repeat() with &nbsp; and <br /> respectively.
    • Inflector Helper changes include:
    • Download Helper changes include:
      • Added an optional third parameter to force_download() that enables/disables sending the actual file MIME type in the Content-Type header (disabled by default).
      • Added a work-around in force_download() for a bug Android <= 2.1, where the filename extension needs to be in uppercase.
      • Added support for reading from an existing file path by passing NULL as the second parameter to force_download() (useful for large files and/or safely transmitting binary data).
    • Form Helper changes include:
      • form_dropdown() will now also take an array for unity with other form helpers.
      • form_prep()‘s second argument now only accepts a boolean value, which determines whether the value is escaped for a <textarea> or a regular <input> element.
    • Security Helper changes include:
    • Smiley Helper changes include:
      • Removed previously deprecated function js_insert_smiley().
      • Changed application and environment config files to be loaded in a cascade-like manner.
      • The smileys array is now cached and loaded only once.
    • File Helper changes include:
      • set_realpath() can now also handle file paths as opposed to just directories.
      • Added an optional paramater to delete_files() to enable it to skip deleting files such as .htaccess and index.html.
      • Deprecated function read_file() - it’s just an alias for PHP’s native file_get_contents().
    • String Helper changes include:
      • Deprecated function repeater() - it’s just an alias for PHP’s native str_repeat().
      • Deprecated function trim_slashes() - it’s just an alias for PHP’s native trim() (with a slash as its second argument).
      • Deprecated randomization type options unique and encrypt for funcion random_string() (they are only aliases for md5 and sha1 respectively).
    • CAPTCHA Helper changes include:
      • Added word_length and pool options to allow customization of the generated word.
      • Added colors configuration to allow customization for the background, border, text and grid colors.
      • Added filename to the returned array elements.
    • Text Helper changes include:
    • Directory Helper directory_map() will now append DIRECTORY_SEPARATOR to directory names in the returned array.
    • Array Helper element() and elements() now return NULL instead of FALSE when the required elements don’t exist.
    • Language Helper lang() now accepts an optional list of additional HTML attributes.
    • Deprecated the Email Helper as its valid_email(), send_email() functions are now only aliases for PHP native functions filter_var() and mail() respectively.
  • Database
    • DEPRECATED the ‘mysql’, ‘sqlite’, ‘mssql’ and ‘pdo/dblib’ (also known as ‘pdo/mssql’ or ‘pdo/sybase’) drivers.
    • Added dsn configuration setting for drivers that support DSN strings (PDO, PostgreSQL, Oracle, ODBC, CUBRID).
    • Added schema configuration setting (defaults to public) for drivers that might need it (currently used by PostgreSQL and ODBC).
    • Added subdrivers support (currently only used by PDO).
    • Added an optional database name parameter to db_select().
    • Removed protect_identifiers() and renamed internal method _protect_identifiers() to it instead - it was just an alias.
    • Renamed internal method _escape_identifiers() to escape_identifiers().
    • Updated escape_identifiers() to accept an array of fields as well as strings.
    • MySQL and MySQLi drivers now require at least MySQL version 5.1.
    • Added a $persistent parameter to db_connect() and changed db_pconnect() to be an alias for db_connect(TRUE).
    • db_set_charset() now only requires one parameter (collation was only needed due to legacy support for MySQL versions prior to 5.1).
    • db_select() will now always (if required by the driver) be called by db_connect() instead of only when initializing.
    • Replaced the _error_message() and _error_number() methods with error(), which returns an array containing the last database error code and message.
    • Improved version() implementation so that drivers that have a native function to get the version number don’t have to be defined in the core DB_driver class.
    • Added capability for packages to hold config/database.php config files.
    • Added MySQL client compression support.
    • Added encrypted connections support (for mysql, sqlsrv and PDO with sqlsrv).
    • Removed Loader Class from Database error tracing to better find the likely culprit.
    • Added support for SQLite3 database driver.
    • Added Interbase/Firebird database support via the ibase driver.
    • Added ODBC support for create_database(), drop_database() and drop_table() in Database Forge.
    • Added save_queries configuration setting to application/config/database.php (defaults to TRUE).
    • Query Builder changes include:
      • Renamed the Active Record class to Query Builder to remove confusion with the Active Record design pattern.
      • Added the ability to insert objects with insert_batch().
      • Added new methods that return the SQL string of queries without executing them: get_compiled_select(), get_compiled_insert(), get_compiled_update(), get_compiled_delete().
      • Added an optional parameter that allows to disable escaping (useful for custom fields) for methods join(), order_by(), where_in(), or_where_in(), where_not_in(), or_where_not_in(), insert(), insert_batch().
      • Added support for join() with multiple conditions.
      • Added support for USING in join().
      • Added support for EXISTS in where().
      • Added seed values support for random ordering with order_by(seed, 'RANDOM').
      • Changed limit() to ignore NULL values instead of always casting to integer.
      • Changed offset() to ignore empty values instead of always casting to integer.
      • Methods insert_batch() and update_batch() now return an integer representing the number of rows affected by them.
    • Database Results changes include:
      • Added a constructor to the DB_result class and moved all driver-specific properties and logic out of the base DB_driver class to allow better abstraction.
      • Added method unbuffered_row() for fetching a row without prefetching the whole result (consume less memory).
      • Renamed former method _data_seek() to data_seek() and made it public.
    • Improved support for the MySQLi driver, including:
      • OOP style of the PHP extension is now used, instead of the procedural aliases.
      • Server version checking is now done via mysqli::$server_info instead of running an SQL query.
      • Added persistent connections support for PHP >= 5.3.
      • Added support for backup() in Database Utilities.
      • Changed methods trans_begin(), trans_commit() and trans_rollback() to use the PHP API instead of sending queries.
    • Improved support of the PDO driver, including:
      • Added support for create_database(), drop_database() and drop_table() in Database Forge.
      • Added support for list_fields() in Database Results.
      • Subdrivers are now isolated from each other instead of being in one large class.
    • Improved support of the PostgreSQL driver, including:
      • pg_version() is now used to get the database version number, when possible.
      • Added db_set_charset() support.
      • Added support for optimize_table() in Database Utilities (rebuilds table indexes).
      • Added boolean data type support in escape().
      • Added update_batch() support.
      • Removed limit() and order_by() support for UPDATE and DELETE queries as PostgreSQL does not support those features.
      • Added a work-around for dead persistent connections to be re-created after a database restart.
      • Changed db_connect() to include the (new) schema value into Postgre’s search_path session variable.
      • pg_escape_literal() is now used for escaping strings, if available.
    • Improved support of the CUBRID driver, including:
      • Added DSN string support.
      • Added persistent connections support.
      • Improved list_databases() in Database Utility (until now only the currently used database was returned).
    • Improved support of the MSSQL and SQLSRV drivers, including:
      • Added random ordering support.
      • Added support for optimize_table() in Database Utility.
      • Added escaping with QUOTE_IDENTIFIER setting detection.
      • Added port handling support for UNIX-based systems (MSSQL driver).
      • Added OFFSET support for SQL Server 2005 and above.
      • Added db_set_charset() support (MSSQL driver).
      • Added a scrollable property to enable configuration of the cursor to use (SQLSRV driver).
      • Added support and auto-detection for the SQLSRV_CURSOR_CLIENT_BUFFERED scrollable cursor flag (SQLSRV driver).
      • Changed default behavior to not use SQLSRV_CURSOR_STATIC due to performance issues (SQLSRV driver).
    • Improved support of the Oracle (OCI8) driver, including:
      • Added DSN string support (Easy Connect and TNS).
      • Added support for drop_table() in Database Forge.
      • Added support for list_databases() in Database Utilities.
      • Generally improved for speed and cleaned up all of its components.
      • num_rows() is now only called explicitly by the developer and no longer re-executes statements.
    • Improved support of the SQLite driver, including:
    • Database Forge changes include:
      • Added an optional second parameter to drop_table() that allows adding the IF EXISTS condition, which is no longer the default.
      • Added support for passing a custom database object to the loader.
      • Added support for passing custom table attributes (such as ENGINE for MySQL) to create_table().
      • Added support for usage of the FIRST clause in add_column() for MySQL and CUBRID.
      • Deprecated add_column()‘s third method. AFTER clause should now be added to the field definition array instead.
      • Overall improved support for all of the drivers.
    • Database Utility changes include:
      • Added support for passing a custom database object to the loader.
      • Modified the class to no longer extend Database Forge, which has been a deprecated behavior for awhile.
      • Overall improved support for all of the drivers.
      • Added foreign_key_checks option to MySQL/MySQLi backup, allowing statement to disable/re-enable foreign key checks to be inserted into the backup output.
  • Libraries
    • Added a new Encryption Library to replace the old, largely insecure Encrypt Library.
    • Encrypt Library changes include:
      • Deprecated the library in favor of the new Encryption Library.
      • Added support for hashing algorithms other than SHA1 and MD5.
      • Removed previously deprecated sha1() method.
    • Session Library changes include:
      • Library changed to Driver with classic ‘cookie’ driver as the default.
      • Added a ‘native’ PHP Session driver to work with $_SESSION.
      • Added a new tempdata feature that allows setting userdata items with expiration time (tempdata(), set_tempdata(), unset_tempdata()).
      • Added default $config['sess_driver'] and $config['sess_valid_drivers'] items to application/config.php file.
      • Changed ‘cookie’ driver to respect php.ini’s session.gc_probability and session.gc_divisor settings.
      • Changed ‘cookie’ driver to use HMAC authentication instead of a simple md5 checksum.
      • Changed ‘cookie’ driver to select only one row when using database sessions.
      • Changed ‘cookie’ driver to write to only write to the database at end of page execution.
      • Changed method keep_flashdata() to also accept an array of keys.
      • Changed methods userdata(), flashdata() to return an array of all userdata/flashdata when no parameter is passed.
      • Deprecated method all_userdata() - it is now just an alias for userdata() with no parameters.
      • Added method has_userdata() that verifies the existence of a userdata item.
      • Added debug level log messages for key events in the session validation process.
    • File Uploading Library changes include:
      • Added method chaining support.
      • Added support for using array notation in file field names.
      • Added max_filename_increment and file_ext_tolower configuration settings.
      • Added min_width and min_height configuration settings for images.
      • Added mod_mime_fix configuration setting to disable suffixing multiple file extensions with an underscore.
      • Added the possibility pass allowed_types as an array.
      • Added an $index parameter to the method data().
      • Added a $reset parameter to method initialize().
      • Removed method clean_file_name() and its usage in favor of Security Library‘s sanitize_filename().
      • Removed method mimes_types().
    • Calendar Library changes include:
      • Added method chaining support.
      • Added configuration to generate days of other months instead of blank cells.
      • Added auto-configuration for next_prev_url if it is empty and show_prev_next is set to TRUE.
      • Added support for templating via an array in addition to the encoded string.
      • Changed method get_total_days() to be an alias for Date Helper days_in_month().
    • Cart Library changes include:
      • Added method remove() to remove a cart item, updating with quantity of 0 seemed like a hack but has remained to retain compatibility.
      • Added method get_item() to enable retrieving data for a single cart item.
      • Added unicode support for product names.
      • Added support for disabling product name strictness via the $product_name_safe property.
      • Changed insert() method to auto-increment quantity for an item when inserted twice instead of resetting it.
      • Changed update() method to support updating all properties attached to an item and not to require ‘qty’.
    • Image Manipulation Library changes include:
      • The initialize() method now only sets existing class properties.
      • Added support for 3-length hex color values for wm_font_color and wm_shadow_color properties, as well as validation for them.
      • Class properties wm_font_color, wm_shadow_color and wm_use_drop_shadow are now protected, to avoid breaking the text_watermark() method if they are set manually after initialization.
      • If property maintain_ratio is set to TRUE, image_reproportion() now doesn’t need both width and height to be specified.
      • Property maintain_ratio is now taken into account when resizing images using ImageMagick library.
      • Added support for maintaining transparency for PNG images in method text_watermark().
    • Form Validation Library changes include:
      • Added method error_array() to return all error messages as an array.
      • Added method set_data() to set an alternative data array to be validated instead of the default $_POST.
      • Added method reset_validation() which resets internal validation variables in case of multiple validation routines.
      • Added support for setting error delimiters in the config file via $config['error_prefix'] and $config['error_suffix'].
      • Internal method _execute() now considers input data to be invalid if a specified rule is not found.
      • Removed method is_numeric() as it exists as a native PHP function and _execute() will find and use that (the is_numeric rule itself is deprecated since 1.6.1).
      • Native PHP functions used as rules can now accept an additional parameter, other than the data itself.
      • Updated method set_rules() to accept an array of rules as well as a string.
      • Fields that have empty rules set no longer run through validation (and therefore are not considered erroneous).
      • Added rule differs to check if the value of a field differs from the value of another field.
      • Added rule valid_url.
      • Added support for named parameters in error messages.
      • Language line keys must now be prefixed with form_validation_.
      • Added rule alpha_numeric_spaces.
      • Added support for custom error messages per field rule.
      • Added support for callable rules when they are passed as an array.
    • Caching Library changes include:
      • Added Wincache driver.
      • Added Redis driver.
      • Added a key_prefix option for cache IDs.
      • Updated driver is_supported() methods to log at the “debug” level.
      • Added option to store raw values instead of CI-formatted ones (APC, Memcache).
      • Added atomic increment/decrement feature via increment(), decrement().
    • E-mail Library changes include:
      • Added a custom filename parameter to attach() as $this->email->attach($filename, $disposition, $newname).
      • Added possibility to send attachment as buffer string in attach() as $this->email->attach($buffer, $disposition, $newname, $mime).
      • Added possibility to attach remote files by passing a URL.
      • Added method attachment_cid() to enable embedding inline attachments into HTML.
      • Added dsn (delivery status notification) option.
      • Renamed method _set_header() to set_header() and made it public to enable adding custom headers.
      • Successfully sent emails will automatically clear the parameters.
      • Added a return_path parameter to the from() method.
      • Removed the second parameter (character limit) from internal method _prep_quoted_printable() as it is never used.
      • Internal method _prep_quoted_printable() will now utilize the native quoted_printable_encode(), imap_8bit() functions (if available) when CRLF is set to “rn”.
      • Default charset now relies on the global $config['charset'] setting.
      • Removed unused protected method _get_ip() (Input Library‘s ip_address() should be used anyway).
      • Internal method _prep_q_encoding() now utilizes PHP’s mbstring and iconv extensions (when available) and no longer has a second ($from) argument.
      • Added an optional parameter to print_debugger() to allow specifying which parts of the message should be printed (‘headers’, ‘subject’, ‘body’).
      • Added SMTP keepalive option to avoid opening the connection for each send() call. Accessible as $smtp_keepalive.
      • Public method set_header() now filters the input by removing all “\r” and “\n” characters.
    • Pagination Library changes include:
      • Deprecated usage of the “anchor_class” setting (use the new “attributes” setting instead).
      • Added method chaining support to initialize() method.
      • Added support for the anchor “rel” attribute.
      • Added support for setting custom attributes.
      • Added support for language translations of the first_link, next_link, prev_link and last_link values.
      • Added $config['reuse_query_string'] to allow automatic repopulation of query string arguments, combined with normal URI segments.
      • Removed the default &nbsp; from a number of the configuration variables.
    • Profiler Library changes include:
      • Database object names are now being displayed.
      • The sum of all queries running times in seconds is now being displayed.
      • Added support for displaying the HTTP DNT (“Do Not Track”) header.
      • Added support for displaying $_FILES.
    • Migration Library changes include:
      • Added support for timestamp-based migrations (enabled by default).
      • Added $config['migration_type'] to allow switching between sequential and timestamp migrations.
    • XML-RPC Library changes include:
      • Added the ability to use a proxy.
      • Added Basic HTTP authentication support.
    • User Agent Library changes include:
      • Added check to detect if robots are pretending to be mobile clients (helps with e.g. Google indexing mobile website versions).
      • Added method parse() to allow parsing a custom user-agent string, different from the current visitor’s.
    • HTML Table Library changes include:
      • Added method chaining support.
      • Added support for setting table class defaults in a config file.
    • Zip Library method read_file() can now also alter the original file path/name while adding files to an archive.
    • Trackback Library method receive() will now utilize iconv() if it is available but mb_convert_encoding() is not.
  • Core
    • Routing changes include:
      • Added support for multiple levels of controller directories.
      • Added support for per-directory default_controller and 404_override classes.
      • Added possibility to route requests using HTTP verbs.
      • Added possibility to route requests using callbacks.
      • Added a new reserved route (translate_uri_dashes) to allow usage of dashes in the controller and method URI segments.
      • Deprecated methods fetch_directory(), fetch_class() and fetch_method() in favor of their respective public properties.
      • Removed method _set_overrides() and moved its logic to the class constructor.
    • URI Library changes include:
      • Added conditional PCRE UTF-8 support to the “invalid URI characters” check and removed the preg_quote() call from it to allow more flexibility.
      • Renamed method _filter_uri() to filter_uri().
      • Changed private methods to protected so that MY_URI can override them.
      • Renamed internal method _parse_cli_args() to _parse_argv().
      • Renamed internal method _detect_uri() to _parse_request_uri().
      • Changed _parse_request_uri() to accept absolute URIs for compatibility with HTTP/1.1 as per RFC2616 <http://www.ietf.org/rfc/rfc2616.txt>.
      • Added protected method _parse_query_string() to URI paths in the the QUERY_STRING value, like _parse_request_uri() does.
      • Changed URI string detection logic to try the PATH_INFO variable first when auto-detecting.
      • Removed methods _remove_url_suffix(), _explode_segments() and moved their logic into _set_uri_string().
      • Removed method _fetch_uri_string() and moved its logic into the class constructor.
      • Removed method _reindex_segments().
    • Loader Library changes include:
      • Added method chaining support.
      • Added method get_vars() to the Loader to retrieve all variables loaded with $this->load->vars().
      • _ci_autoloader() is now a protected method.
      • Added autoloading of drivers with $autoload['drivers'].
      • $config['rewrite_short_tags'] now has no effect when using PHP 5.4 as <?= will always be available.
      • Changed method config() to return whatever CI_Config::load() returns instead of always being void.
      • Added support for library and model aliasing on autoload.
      • Changed method is_loaded() to ask for the (case sensitive) library name instead of its instance name.
      • Removed $_base_classes property and unified all class data in $_ci_classes instead.
      • Added method clear_vars() to allow clearing the cached variables for views.
    • Input Library changes include:
      • Added method() to retrieve $_SERVER['REQUEST_METHOD'].
      • Added support for arrays and network addresses (e.g. 192.168.1.1/24) for use with the proxy_ips setting.
      • Added method input_stream() to aid in using php://input stream data such as one passed via PUT, DELETE and PATCH requests.
      • Changed method valid_ip() to use PHP’s native filter_var() function.
      • Changed internal method _sanitize_globals() to skip enforcing reversal of register_globals in PHP 5.4+, where this functionality no longer exists.
      • Changed methods get(), post(), get_post(), cookie(), server(), user_agent() to return NULL instead of FALSE when no value is found.
      • Changed default value of the $xss_clean parameter to NULL for all methods that utilize it, the default value is now determined by the $config['global_xss_filtering'] setting.
      • Added method post_get() and changed get_post() to search in GET data first. Both methods’ names now properly match their GET/POST data search priorities.
      • Changed method _fetch_from_array() to parse array notation in field name.
      • Added an option for _clean_input_keys() to return FALSE instead of terminating the whole script.
      • Deprecated the is_cli_request() method, it is now an alias for the new is_cli() common function.
      • Added an $xss_clean parameter to method user_agent() and removed the $user_agent property.
    • Common functions changes include:
      • Added function get_mimes() to return the application/config/mimes.php array.
      • Added support for HTTP code 303 (“See Other”) in set_status_header().
      • Removed redundant conditional to determine HTTP server protocol in set_status_header().
      • Changed _exception_handler() to respect php.ini display_errors setting.
      • Added function is_https() to check if a secure connection is used.
      • Added function is_cli() to replace the CI_Input::is_cli_request() method.
      • Added function function_usable() to work around a bug in Suhosin <http://www.hardened-php.net/suhosin/>.
      • Removed the third ($php_error) argument from function log_message().
      • Changed internal function load_class() to accept a constructor parameter instead of (previously unused) class name prefix.
      • Removed default parameter value of is_php().
    • Output Library changes include:
      • Added a second argument to method set_content_type() that allows setting the document charset as well.
      • Added methods get_content_type() and get_header().
      • Added method delete_cache().
      • Changed caching behavior to compress the output before storing it, if $config['compress_output'] is enabled.
    • Config Library changes include:
      • Changed site_url() method to accept an array as well.
      • Removed internal method _assign_to_config() and moved its implementation to CodeIgniter.php instead.
      • item() now returns NULL instead of FALSE when the required config item doesn’t exist.
      • Added an optional second parameter to both base_url() and site_url() that allows enforcing of a protocol different than the one in the base_url configuration setting.
    • Security Library changes include:
      • Added method strip_image_tags().
      • Added $config['csrf_regeneration'], which makes token regeneration optional.
      • Added $config['csrf_exclude_uris'], which allows you list URIs which will not have the CSRF validation methods run.
      • Modified method sanitize_filename() to read a public $filename_bad_chars property for getting the invalid characters list.
    • Language Library changes include:
      • Changed method load() to filter the language name with ctype_alpha().
      • Added an optional second parameter to method line() to disable error logging for line keys that were not found.
      • Language files are now loaded in a cascading style with the one in system/ always loaded and overriden afterwards, if another one is found.
    • Hooks Library changes include:
      • Added support for closure hooks (or anything that is_callable() returns TRUE for).
      • Renamed method _call_hook() to call_hook().
      • Class instances are now stored in order to maintain their state.
    • UTF-8 Library changes include:
      • UTF8_ENABLED now requires only one of Multibyte String or iconv to be available instead of both.
      • Changed method clean_string() to utilize mb_convert_encoding() if it is available.
      • Renamed method _is_ascii() to is_ascii() and made it public.
    • Added compatibility layers <general/compatibility_functions> for:
    • Removed CI_CORE boolean constant from CodeIgniter.php (no longer Reactor and Core versions).
    • Log Library will now try to create the log_path directory if it doesn’t exist.
    • Added support for HTTP-Only cookies with new config option cookie_httponly (default FALSE).
    • $config['time_reference'] now supports all timezone strings supported by PHP.
    • Fatal PHP errors are now also passed to _exception_handler(), so they can be logged.

Bug fixes for 3.0

  • Fixed a bug where unlink() raised an error if cache file did not exist when you try to delete it.
  • Fixed a bug (#181) - a typo in the form validation language file.
  • Fixed a bug (#159, #163) - Query Builder nested transactions didn’t work properly due to $_trans_depth not being incremented.
  • Fixed a bug (#737, #75) - Pagination anchor class was not set properly when using initialize method.
  • Fixed a bug (#419) - URL Helper auto_link() didn’t recognize URLs that come after a word boundary.
  • Fixed a bug (#724) - Form Validation Library rule is_unique didn’t check if a database connection exists.
  • Fixed a bug (#647) - Zip Library internal method _get_mod_time() didn’t suppress possible “stat failed” errors generated by filemtime().
  • Fixed a bug (#157, #174) - Image Manipulation Library method clear() didn’t completely clear properties.
  • Fixed a bug where Database Forge method create_table() with PostgreSQL database could lead to fetching the whole table.
  • Fixed a bug (#795) - Form Helper form_open() didn’t add the default form method and accept-charset when an empty array is passed to it.
  • Fixed a bug (#797) - Date Helper timespan() was using incorrect seconds for year and month.
  • Fixed a bug in Cart Library method contents() where if called without a TRUE (or equal) parameter, it would fail due to a typo.
  • Fixed a bug (#406) - SQLSRV DB driver not returning resource on db_pconnect().
  • Fixed a bug in Image Manipulation Library method gd_loaded() where it was possible for the script execution to end or a PHP E_WARNING message to be emitted.
  • Fixed a bug in the Pagination library where when use_page_numbers=TRUE previous link and page 1 link did not have the same url.
  • Fixed a bug (#561) - errors in XML-RPC Library were not properly escaped.
  • Fixed a bug (#904) - Loader Library method initialize() caused a PHP Fatal error to be triggered if error level E_STRICT is used.
  • Fixed a hosting edge case where an empty $_SERVER['HTTPS'] variable would evaluate to ‘on’.
  • Fixed a bug (#154) - Session Library method sess_update() caused the session to be destroyed on pages where multiple AJAX requests were executed at once.
  • Fixed a possible bug in Input Libary method is_ajax_request() where some clients might not send the X-Requested-With HTTP header value exactly as ‘XmlHttpRequest’.
  • Fixed a bug (#1039) - Database Utilities internal method _backup() method failed for the ‘mysql’ driver due to a table name not being escaped.
  • Fixed a bug (#1070) - CI_DB_driver::initialize() didn’t set a character set if a database is not selected.
  • Fixed a bug (#177) - Form Validation Library method set_value() didn’t set the default value if POST data is NULL.
  • Fixed a bug (#68, #414) - :Oracle’s escape_str() didn’t properly escape LIKE wild characters.
  • Fixed a bug (#81) - ODBC’s list_fields() and field_data() methods skipped the first column due to odbc_field_*() functions’ index starting at 1 instead of 0.
  • Fixed a bug (#129) - ODBC’s num_rows() method returned -1 in some cases, due to not all subdrivers supporting the odbc_num_rows() function.
  • Fixed a bug (#153) - E_NOTICE being generated by getimagesize() in the File Uploading Library.
  • Fixed a bug (#611) - SQLSRV’s error handling methods used to issue warnings when there’s no actual error.
  • Fixed a bug (#1036) - is_write_type() method in the Database Library didn’t return TRUE for RENAME queries.
  • Fixed a bug in PDO’s _version() method where it used to return the client version as opposed to the server one.
  • Fixed a bug in PDO’s insert_id() method where it could’ve failed if it’s used with Postgre versions prior to 8.1.
  • Fixed a bug in CUBRID’s affected_rows() method where a connection resource was passed to cubrid_affected_rows() instead of a result.
  • Fixed a bug (#638) - db_set_charset() ignored its arguments and always used the configured charset instead.
  • Fixed a bug (#413) - Oracle’s error handling methods used to only return connection-related errors.
  • Fixed a bug (#1101) - Database Result method field_data() for ‘mysql’, ‘mysqli’ drivers was implemented as if it was handling a DESCRIBE result instead of the actual result set.
  • Fixed a bug in Oracle’s Database Forge method _create_table() where it failed with AUTO_INCREMENT as it’s not supported.
  • Fixed a bug (#1080) - when using the SMTP protocol, Email Library method send() was returning TRUE even if the connection/authentication against the server failed.
  • Fixed a bug (#306) - ODBC’s insert_id() method was calling non-existent function odbc_insert_id(), which resulted in a fatal error.
  • Fixed a bug in Oracle’s Database Result implementation where the cursor ID passed to it was always NULL.
  • Fixed a bug (#64) - Regular expression in DB_query_builder.php failed to handle queries containing SQL bracket delimiters in the JOIN condition.
  • Fixed a bug in the Session Library where a PHP E_NOTICE error was triggered by _unserialize() due to results from databases such as MSSQL and Oracle being space-padded on the right.
  • Fixed a bug (#501) - Form Validation Library method set_rules() depended on count($_POST) instead of actually checking if the request method ‘POST’ before aborting.
  • Fixed a bug (#136) - PostgreSQL and MySQL’s escape_str() method didn’t properly escape LIKE wild characters.
  • Fixed a bug in Loader Library method library() where some PHP versions wouldn’t execute the class constructor.
  • Fixed a bug (#88) - An unexisting property was used for configuration of the Memcache cache driver.
  • Fixed a bug (#14) - Database Forge method create_database() didn’t utilize the configured database character set.
  • Fixed a bug (#23, #1238) - Database Caching method delete_all() used to delete .htaccess and index.html files, which is a potential security risk.
  • Fixed a bug in Trackback Library method validate_url() where it didn’t actually do anything, due to input not being passed by reference.
  • Fixed a bug (#11, #183, #863) - Form Validation Library method _execute() silently continued to the next rule, if a rule method/function is not found.
  • Fixed a bug (#122) - routed URI string was being reported incorrectly in sub-directories.
  • Fixed a bug (#1241) - Zip Library method read_dir() wasn’t compatible with Windows.
  • Fixed a bug (#306) - ODBC driver didn’t have an _insert_batch() method, which resulted in fatal error being triggered when insert_batch() is used with it.
  • Fixed a bug in MSSQL and SQLSrv’s _truncate() where the TABLE keyword was missing.
  • Fixed a bug in PDO’s trans_commit() method where it failed due to an erroneous property name.
  • Fixed a bug (#798) - Query Builder method update() used to ignore LIKE conditions that were set with like().
  • Fixed a bug in Oracle’s and MSSQL’s delete() methods where an erroneous SQL statement was generated when used with limit().
  • Fixed a bug in SQLSRV’s delete() method where like() and limit() conditions were ignored.
  • Fixed a bug (#1265) - Database connections were always closed, regardless of the ‘pconnect’ option value.
  • Fixed a bug (#128) - Language Library did not correctly keep track of loaded language files.
  • Fixed a bug (#1349) - File Uploading Library method get_extension() returned the original filename when it didn’t have an actual extension.
  • Fixed a bug (#1273) - Query Builder method set_update_batch() generated an E_NOTICE message.
  • Fixed a bug (#44, #110) - File Uploading Library method clean_file_name() didn’t clear ‘!’ and ‘#’ characters.
  • Fixed a bug (#121) - Database Results method row() returned an array when there’s no actual result to be returned.
  • Fixed a bug (#319) - SQLSRV’s affected_rows() method failed due to a scrollable cursor being created for write-type queries.
  • Fixed a bug (#356) - Database driver ‘postgre’ didn’t have an _update_batch() method, which resulted in fatal error being triggered when update_batch() is used with it.
  • Fixed a bug (#784, #862) - Database Forge method create_table() failed on SQLSRV/MSSQL when used with ‘IF NOT EXISTS’.
  • Fixed a bug (#1419) - Driver Library had a static variable that was causing an error.
  • Fixed a bug (#1411) - the Email Library used its own short list of MIMEs instead the one from config/mimes.php.
  • Fixed a bug where php.ini setting magic_quotes_runtime wasn’t turned off for PHP 5.3 (where it is indeed deprecated, but not non-existent).
  • Fixed a bug (#666) - Output Library method set_content_type() didn’t set the document charset.
  • Fixed a bug (#784, #861) - Database Forge method create_table() used to accept constraints for MSSQL/SQLSRV integer-type columns.
  • Fixed a bug (#706) - SQLSRV/MSSSQL Database drivers didn’t escape field names.
  • Fixed a bug (#1452) - Query Builder method protect_identifiers() didn’t properly detect identifiers with spaces in their names.
  • Fixed a bug where Query Builder method protect_identifiers() ignored its extra arguments when the value passed to it is an array.
  • Fixed a bug where Query Builder internal method _has_operator() didn’t detect BETWEEN.
  • Fixed a bug where Query Builder method join() failed with identifiers containing dashes.
  • Fixed a bug (#1264) - Database Forge and Database Utilities didn’t update/reset the databases and tables list cache when a table or a database is created, dropped or renamed.
  • Fixed a bug (#7) - Query Builder method join() only escaped one set of conditions.
  • Fixed a bug (#1321) - CI_Exceptions couldn’t find the errors/ directory in some cases.
  • Fixed a bug (#1202) - Encrypt Library encode_from_legacy() didn’t set back the encrypt mode on failure.
  • Fixed a bug (#145) - Database Class method compile_binds() failed when the bind marker was present in a literal string within the query.
  • Fixed a bug in Query Builder method protect_identifiers() where if passed along with the field names, operators got escaped as well.
  • Fixed a bug (#10) - URI Library internal method _detect_uri() failed with paths containing a colon.
  • Fixed a bug (#1387) - Query Builder method from() didn’t escape table aliases.
  • Fixed a bug (#520) - Date Helper function :func:nice_date() failed when the optional second parameter is not passed.
  • Fixed a bug (#167) - $config['permitted_uri_chars'] didn’t affect URL-encoded characters.
  • Fixed a bug (#318) - Profiling Library setting query_toggle_count was not settable as described in the manual.
  • Fixed a bug (#938) - Config Library method site_url() added a question mark to the URL string when query strings are enabled even if it already existed.
  • Fixed a bug (#999) - Config Library method site_url() always appended $config['url_suffix'] to the end of the URL string, regardless of whether a query string exists in it.
  • Fixed a bug where URL Helper function anchor_popup() ignored the attributes argument if it is not an array.
  • Fixed a bug (#1328) - Form Validation Library didn’t properly check the type of the form fields before processing them.
  • Fixed a bug (#79) - Form Validation Library didn’t properly validate array fields that use associative keys or have custom indexes.
  • Fixed a bug (#427) - Form Validation Library method strip_image_tags() was an alias to a non-existent method.
  • Fixed a bug (#1545) - Query Builder method limit() wasn’t executed properly under Oracle.
  • Fixed a bug (#1551) - Date Helper function standard_date() didn’t properly format W3C and ATOM standard dates.
  • Fixed a bug where Query Builder method join() escaped literal values as if they were fields.
  • Fixed a bug (#135) - PHP Error logging was impossible without the errors being displayed.
  • Fixed a bug (#1613) - Form Helper functions form_multiselect(), form_dropdown() didn’t properly handle empty array option groups.
  • Fixed a bug (#1605) - Pagination Library produced incorrect previous and next link values.
  • Fixed a bug in SQLSRV’s affected_rows() method where an erroneous function name was used.
  • Fixed a bug (#1000) - Change syntax of $view_file to $_ci_view_file to prevent being overwritten by application.
  • Fixed a bug (#1757) - Directory Helper function directory_map() was skipping files and directories named ‘0’.
  • Fixed a bug (#1789) - Database Library method escape_str() escaped quote characters in LIKE conditions twice under MySQL.
  • Fixed a bug (#395) - Unit Testing Library method result() didn’t properly check array result columns when called from report().
  • Fixed a bug (#1692) - Database Class method display_error() didn’t properly trace the possible error source on Windows systems.
  • Fixed a bug (#1745) - Database Class method is_write_type() didn’t return TRUE for LOAD queries.
  • Fixed a bug (#1765) - Database Class didn’t properly detect connection errors for the ‘mysqli’ driver.
  • Fixed a bug (#1257) - Query Builder used to (unnecessarily) group FROM clause contents, which breaks certain queries and is invalid for some databases.
  • Fixed a bug (#1709) - Email headers were broken when using long email subjects and rn as CRLF.
  • Fixed a bug where MB_ENABLED constant was only declared if UTF8_ENABLED was set to TRUE.
  • Fixed a bug where the Session Library accepted cookies with last_activity values being in the future.
  • Fixed a bug (#1897) - Email Library triggered PHP E_WARNING errors when mail protocol used and to() is never called.
  • Fixed a bug (#1409) - Email Library didn’t properly handle multibyte characters when applying Q-encoding to headers.
  • Fixed a bug where Email Library ignored its wordwrap setting while handling alternative messages.
  • Fixed a bug (#1476, #1909) - Pagination Library didn’t take into account actual routing when determining the current page.
  • Fixed a bug (#1766) - Query Builder didn’t always take into account the dbprefix setting.
  • Fixed a bug (#779) - URI Class didn’t always trim slashes from the uri_string as shown in the documentation.
  • Fixed a bug (#134) - Database Caching method delete_cache() didn’t work in some cases due to cachedir not being initialized properly.
  • Fixed a bug (#191) - Loader Library ignored attempts for (re)loading databases to get_instance()->db even when the old database connection is dead.
  • Fixed a bug (#1255) - User Agent Library method is_referral() only checked if $_SERVER['HTTP_REFERER'] exists.
  • Fixed a bug (#1146) - Download Helper function force_download() incorrectly sent Cache-Control directives pre-check and post-check to Internet Explorer.
  • Fixed a bug (#1811) - URI Library didn’t properly cache segments for uri_to_assoc() and ruri_to_assoc().
  • Fixed a bug (#1506) - Form Helpers set empty name attributes.
  • Fixed a bug (#59) - Query Builder method count_all_results() ignored the DISTINCT clause.
  • Fixed a bug (#1624) - Form Validation Library rule matches didn’t property handle array field names.
  • Fixed a bug (#1630) - Form Helper function set_value() didn’t escape HTML entities.
  • Fixed a bug (#142) - Form Helper function form_dropdown() didn’t escape HTML entities in option values.
  • Fixed a bug (#50) - Session Library unnecessarily stripped slashed from serialized data, making it impossible to read objects in a namespace.
  • Fixed a bug (#658) - Routing wildcard :any didn’t work as advertised and matched multiple URI segments instead of all characters within a single segment.
  • Fixed a bug (#1938) - Email Library removed multiple spaces inside a pre-formatted plain text message.
  • Fixed a bug (#388, #705) - URI Library didn’t apply URL-decoding to URI segments that it got from REQUEST_URI and/or QUERY_STRING.
  • Fixed a bug (#122) - URI Library method ruri_string() didn’t include a directory if one is used.
  • Fixed a bug - Routing Library didn’t properly handle default_controller in a subdirectory when a method is also specified.
  • Fixed a bug (#953) - post_controller_constructor hook wasn’t called with a 404_override.
  • Fixed a bug (#1220) - Profiler Library didn’t display information for database objects that are instantiated inside models.
  • Fixed a bug (#1978) - Directory Helper function directory_map()‘s return array didn’t make a distinction between directories and file indexes when a directory with a numeric name is present.
  • Fixed a bug (#777) - Loader Library didn’t look for helper extensions in added package paths.
  • Fixed a bug (#18) - APC Cache driver didn’t (un)serialize data, resulting in failure to store objects.
  • Fixed a bug (#188) - Unit Testing Library filled up logs with error messages for non-existing language keys.
  • Fixed a bug (#113) - Form Validation Library didn’t properly handle empty fields that were specified as an array.
  • Fixed a bug (#2061) - Routing Class didn’t properly sanitize directory, controller and function triggers with enable_query_strings set to TRUE.
  • Fixed a bug - SQLSRV didn’t support escape_like_str() or escaping an array of values.
  • Fixed a bug - Database Results method list_fields() didn’t reset its field pointer for the ‘mysql’, ‘mysqli’ and ‘mssql’ drivers.
  • Fixed a bug (#73) - Security Library method sanitize_filename() could be tricked by an XSS attack.
  • Fixed a bug (#2211) - Migration Library extensions couldn’t execute CI_Migration::__construct().
  • Fixed a bug (#2255) - Email Library didn’t apply smtp_timeout to socket reads and writes.
  • Fixed a bug (#2239) - Email Library improperly handled the Subject when used with bcc_batch_mode resulting in E_WARNING messages and an empty Subject.
  • Fixed a bug (#2234) - Query Builder didn’t reset JOIN cache for write-type queries.
  • Fixed a bug (#2298) - Database Results method next_row() kept returning the last row, allowing for infinite loops.
  • Fixed a bug (#2236, #2639) - Form Helper functions set_value(), set_select(), set_radio(), set_checkbox() didn’t parse array notation for keys if the rule was not present in the Form Validation Library.
  • Fixed a bug (#2353) - Query Builder erroneously prefixed literal strings with dbprefix.
  • Fixed a bug (#78) - Cart Library didn’t allow non-English letters in product names.
  • Fixed a bug (#77) - Database Class didn’t properly handle the transaction “test mode” flag.
  • Fixed a bug (#2380) - URI Routing method fetch_method() returned ‘index’ if the requested method name matches its controller name.
  • Fixed a bug (#2388) - Email Library used to ignore attachment errors, resulting in broken emails being sent.
  • Fixed a bug (#2498) - Form Validation Library rule valid_base64 only checked characters instead of actual validity.
  • Fixed a bug (#2425) - OCI8 database driver method stored_procedure() didn’t log an error unless db_debug was set to TRUE.
  • Fixed a bug (#2490) - Database Class method query() returning boolean instead of a result object for PostgreSQL-specific INSERT INTO ... RETURNING statements.
  • Fixed a bug (#249) - Cache Library didn’t properly handle Memcache(d) configurations with missing options.
  • Fixed a bug (#180) - config_item() didn’t take into account run-time configuration changes.
  • Fixed a bug (#2551) - Loader Library method library() didn’t properly check if a class that is being loaded already exists.
  • Fixed a bug (#2560) - Form Helper function form_open() set the ‘method=”post”’ attribute only if the passed attributes equaled an empty string.
  • Fixed a bug (#2585) - Query Builder methods min(), max(), avg(), sum() didn’t escape field names.
  • Fixed a bug (#2590) - Common function log_message() didn’t actually cache the CI_Log class instance.
  • Fixed a bug (#2609) - Common function get_config() optional argument was only effective on first function call. Also, it can now add items, in addition to updating existing items.
  • Fixed a bug in the ‘postgre’ database driver where the connection ID wasn’t passed to pg_escape_string().
  • Fixed a bug (#33) - Script execution was terminated when an invalid cookie key was encountered.
  • Fixed a bug (#2681) - Security Library method entity_decode() used the PREG_REPLACE_EVAL flag, which is deprecated since PHP 5.5.
  • Fixed a bug (#2691) - nested database transactions could end in a deadlock when an error is encountered with db_debug set to TRUE.
  • Fixed a bug (#2515) - _exception_handler() used to send the 200 “OK” HTTP status code and didn’t stop script exection even on fatal errors.
  • Fixed a bug - Redis Caching driver didn’t handle connection failures properly.
  • Fixed a bug (#2756) - Database Class executed the MySQL-specific SET SESSION sql_mode query for all drivers when the ‘stricton’ option is set.
  • Fixed a bug (#2579) - Query Builder “no escape” functionality didn’t work properly with query cache.
  • Fixed a bug (#2237) - Parser Library failed if the same tag pair is used more than once within a template.
  • Fixed a bug (#2268) - Security Library didn’t properly match JavaScript events.
  • Fixed a bug (#2143) - Form Validation Library didn’t check for rule groups named in a controller/method manner when trying to load from a config file.
  • Fixed a bug (#2762) - Hooks Class didn’t properly check if the called class/function exists.
  • Fixed a bug (#148) - Input Library internal method _clean_input_data() assumed that it data is URL-encoded, stripping certain character sequences from it.
  • Fixed a bug (#346) - with $config['global_xss_filtering'] turned on, the $_GET, $_POST, $_COOKIE and $_SERVER superglobals were overwritten during initialization time, resulting in XSS filtering being either performed twice or there was no possible way to get the original data, even though options for this do exist.
  • Fixed an edge case (#555) - User Agent Library reported an incorrect version Opera 10+ due to a non-standard user-agent string.
  • Fixed a bug (#133) - Text Helper ascii_to_entities() stripped the last character if it happens to be in the extended ASCII group.
  • Fixed a bug (#2822) - fwrite() was used incorrectly throughout the whole framework, allowing incomplete writes when writing to a network stream and possibly a few other edge cases.
  • Fixed a bug where User Agent Library methods accept_charset() and accept_lang() didn’t properly parse HTTP headers that contain spaces.
  • Fixed a bug where default_controller was called instad of triggering a 404 error if the current route is in a controller directory.
  • Fixed a bug (#2737) - XML-RPC Library used objects as array keys, which triggered E_NOTICE messages.
  • Fixed a bug (#2729) - Security Library internal method _validate_entities() used overly-intrusive preg_replace() patterns that produced false-positives.
  • Fixed a bug (#2771) - Security Library method xss_clean() didn’t take into account HTML5 entities.
  • Fixed a bug in the Session Library ‘cookie’ driver where authentication was not performed for encrypted cookies.
  • Fixed a bug (#2856) - ODBC method affected_rows() passed an incorrect value to odbc_num_rows().
  • Fixed a bug (#43) Image Manipulation Library method text_watermark() didn’t properly determine watermark placement.
  • Fixed a bug where HTML Table Library ignored its auto_heading setting if headings were not already set.
  • Fixed a bug (#2364) - Pagination Library appended the query string (if used) multiple times when there are successive calls to create_links() with no initialize() in between them.
  • Partially fixed a bug (#261) - UTF-8 class method clean_string() generating log messages and/or not producing the desired result due to an upstream bug in iconv.
  • Fixed a bug where CI_Xmlrpcs::parseRequest() could fail if $HTTP_RAW_POST_DATA is not populated.
  • Fixed a bug in Zip Library internal method _get_mod_time() where it was not parsing result returned by filemtime().

Versi asli changelog dapat dibaca di user_guide untuk versi 3. Untuk bisa membuka user_guide untuk versi 3 ini, kamu dapat mendownload versi 3-dev dari reponya. Nanti ada folder user_guide_src yang dibuat menggunakan Sphinx documentation. Kalo ada waktu ntar saya bikin postingan tentang cara menginstall Sphinx supaya bisa membaca user_guide CI yang baru.

Selamat datang kembali, CodeIgniter! :D