Swift 学习之Using Swift mix and match, network: 写rss阅读器_swift 做文本阅读器-程序员宅基地

技术标签: Swift开发语言学习  

这里面使用到第三方库,因此需要使用mix and match特性。

请大家指出其中的错误,谢谢!

rss 阅读器,很简单的代码,只是为了学习swift语言而写。


1、BaseViewController.swift:

import Foundation
import UIKit

//
// @brief Each controller must directly or indirectly inherit from BaseViewController to
//        configure.
// @author huangyibiao
//
class BaseViewController : UIViewController {
    // use to config ios7 or later and below ios7
    var _originX: CGFloat = 0.0
    var _screenHeight: CGFloat = 480.0
    var _isIOS7Version = true
 
    override func viewDidLoad() {
        super.viewDidLoad()
        
        _isIOS7Version = UIDevice.currentDevice().systemVersion >= "7.0"
        // 难道坐标系统变化了?这么写法反面适配失败了
        //_originX = _isIOS7Version ? 64.0 : 0.0
        // 获取到的屏幕的高度怎么也只有self.view的高度,不是整个屏幕的高度了?
        _screenHeight = UIScreen.mainScreen().bounds.size.height
    }
    
    override func viewWillAppear(animated: Bool) {
        super.viewWillAppear(animated)
        // config navigations
        let dict = [UITextAttributeTextColor: UIColor.whiteColor()]
        self.navigationController.navigationBar.titleTextAttributes = dict
        self.navigationController.navigationBar.barTintColor = UIColor.orangeColor()
    }
}

2. need a model: FeedModel.swift

import Foundation

//
// @brief Feed data model, just stores datas
// @author huangyibiao
//
class FeedModel : NSObject, NSCoding {
    var _name: String?
    var _url:  String?
    
    // designated initializer
    init(name: String?, url: String?) {
        super.init()
        _name = name
        _url = url
    }
    
    //
    // The following functions are NSCoding protocol methods
    //
    // encode
    func encodeWithCoder(aCoder: NSCoder!) {
        aCoder.encodeObject(_name, forKey: "_name")
        aCoder.encodeObject(_url, forKey: "_url")
    }
    
    // decode
    init(coder aDecoder: NSCoder!) {
        _name = aDecoder.decodeObjectForKey("_name") as? String
        _url = aDecoder.decodeObjectForKey("_url") as? String
    }
}

3. write an extension: Extension.swift

import Foundation
import UIKit

//------------------------------------------------------------------------------------------
// @brief extension UIAlertView, making easily to use
// @author huangyibiao
//
extension UIAlertView {
    // @brief Shows an alert view, default showing with "cancel" and "ok" buttons
    // @param title: non-nil String object, shows the title
    // @param message: non-nil String object, shows the message
    // @return return non-nil UIAlertView object
    class func showAlertView(title: String!, message: String!) -> UIAlertView! {
        // in fact, swift provides UIAlerController to do the same thing
        // in the future, it may be replaced by UIAlertController
        let alert = UIAlertView()
        alert.title = title
        alert.message = message
        alert.addButtonWithTitle("Cancel")
        alert.addButtonWithTitle("Ok")
        alert.show()
        
        return alert
    }
}


//------------------------------------------------------------------------------------------
// @brief 扩展String结构体,追加获取feed缓存路径的方法
// @author huangyibiao
//
extension String {
    // @brief 获取缓存路径
    // @param check: default value is true, meaning that needs to check is exist
    // @return Optional String type, if nil, means no value at all, otherwise, returns path
    //
    static func feedCachePath(isCheck check: Bool = true) -> String? {
        let path = NSHomeDirectory() + "/Documents/data"
        if check {
            if NSFileManager.defaultManager().fileExistsAtPath(path) {
                return path
            }
        }
        return path
    }
}

4. need a feed manager: FeedManager.swift

import Foundation

//
// @brief Here FeedManager is a singleton, use to manage feed data objects
// @author huangyibiao
//

// never use this global variable directly, because directly using it may not
// has a value.
// I don't know how to make it invisible outside in swift
var g_sharedFeedManager: FeedManager!

class FeedManager {
    var _dataSource = NSMutableArray() // use to store FeedModel objects
    
    // singleton
    class func sharedFeedManager() -> FeedManager! {
        if g_sharedFeedManager == nil { // no value
            g_sharedFeedManager = FeedManager()
        }
        return g_sharedFeedManager
    }
    
    // designated initializer
    init() {
        
    }
    
    // return the numbers of feed models
    func count() -> Int {
        return _dataSource.count
    }
    
    // add model
    func addFeedModel(feedModel: FeedModel!) {
        // found whether is exist
        for model: AnyObject in _dataSource {
            let feedModelObject = model as FeedModel
            if feedModelObject._name == feedModel._name {
                return
            }
        }
        _dataSource.addObject(feedModel)
        saveAllFeeds()
    }
    
    // remove model
    func removeFeedModel(atIndex index: Int) {
        assert(index >= 0 && index < count(), "out of range in array", file: "Extension.swift", line: 57)
        
        _dataSource.removeObjectAtIndex(index)
        saveAllFeeds() // update local datas
    }
    
    // obtain
    func feedModel(atIndex index: Int) -> FeedModel {
        assert(index >= 0 && index < count(), "out of range in array", file: "Extension.swift", line: 57)
        
        return _dataSource[index] as FeedModel
    }
    
    func saveAllFeeds() {
        let path = String.feedCachePath(isCheck: false)
        if path { // 若已经存在,先清除
            NSFileManager.defaultManager().removeItemAtPath(path, error: nil)
        }
        // 归档
        NSKeyedArchiver.archiveRootObject(_dataSource, toFile: path)
    }
    
    func loadAllFeeds() {
        let path = String.feedCachePath()// default isCheck is true
        if path {
            let feedModels = NSKeyedUnarchiver.unarchiveObjectWithFile(path) as? NSArray
            if feedModels {
                _dataSource.addObjectsFromArray(feedModels)
            }
        }
    }
}

5.need a HttpRequest: HttpRequest.swift

import Foundation

@objc protocol HttpRequestDelegate {
    // @brief when request finished, and will call this delegate method if comforms to
    // @param request: an non-nil HttpRequest object
    // @param downloadedData: you can do something with the parameter,
    //                        which is the data  downloaded from ns service
    @optional func requestFinished(request: HttpRequest!, downloadedData: NSMutableData!)
    
    // @brief fail to download
    @optional func requestFailed(request: HttpRequest!)
}

//
// @brief 网络请示类,这里只是简单实现,没有做缓存处理
// @author huangyibiao
//
class HttpRequest : NSObject, NSURLConnectionDelegate {
    var _delegate: HttpRequestDelegate?
    var _urlString: String?
    var _connection: NSURLConnection?
    var _downloadData: NSMutableData?
    
    init()  {
        super.init()
        _downloadData = NSMutableData()
    }
    
    // begin to request data
    func startRequest(delegate: HttpRequestDelegate?, urlString: String!) {
        cancelRequest() // cancel current request before a new request
        
        _delegate = delegate
        _urlString = urlString
        
        // clear _downloadData
        _downloadData!.resetBytesInRange(NSRange(location: 0, length: _downloadData!.length))
        _downloadData!.length = 0 // update length
        
        var url = NSURL(string: _urlString)
        var request = NSURLRequest(URL: url)
        _connection = NSURLConnection(request: request, delegate: self)
        _connection!.start()
    }
    
    func cancelRequest() {
        if _connection {
            _connection!.cancel()
            _connection = nil
        }
    }
    
    //
    // The following funcs are NSURLConnectionDelegate methods
    // download fail
    func connection(connection: NSURLConnection!, didFailWithError error: NSError!){
        _downloadData!.resetBytesInRange(NSRange(location: 0,length: _downloadData!.length));
        _downloadData!.length = 0;
        
        _delegate?.requestFailed?(self)
    }
    
    // receive data and append to the downloaded data
    func connection(connection: NSURLConnection!, didReceiveData data: NSData!){
        _downloadData!.appendData(data);
    }
    
    // download finished
    func connectionDidFinishLoading(connection: NSURLConnection!){
        _delegate?.requestFinished!(self, downloadedData: _downloadData!);
    }
}

7.write a root controller: RootViewController.swift

import Foundation
import UIKit

class RootViewController : BaseViewController, UITableViewDelegate, UITableViewDataSource {
    var _tableView: UITableView?
    
    override func viewDidLoad() {
        self.title="网易Rss"
        
        let addButton = UIButton(frame: CGRect(x: 0, y: 0, width: 50, height: 40))
        addButton.setTitle("添加", forState: UIControlState.Normal)
        addButton.titleLabel.font = UIFont.systemFontOfSize(12);
        addButton.setTitleColor(UIColor.blackColor(), forState: .Normal);
        addButton.addTarget(self, action: "onAddButtonClicked:", forControlEvents: UIControlEvents.TouchUpInside)
        var addButtonItem = UIBarButtonItem(customView: addButton);
        super.navigationItem.rightBarButtonItem = addButtonItem;
        
        
        var aboutButton = UIButton(frame: CGRect(x: 0,y: 0,width: 50,height: 40))
        aboutButton.setTitle("关于", forState: .Normal)
        aboutButton.titleLabel.font = UIFont.systemFontOfSize(12);
        aboutButton.setTitleColor(UIColor.blackColor(), forState: .Normal);
        aboutButton.addTarget(self, action: "onAboutButtonClicked:", forControlEvents: .TouchUpInside)
        var aboutButtonItem = UIBarButtonItem(customView: aboutButton);
        super.navigationItem.leftBarButtonItem = aboutButtonItem;
        
        _tableView = UITableView(frame: self.view.bounds);
        _tableView!.dataSource = self;
        _tableView!.delegate = self;
        self.view.addSubview(_tableView);
    }
    
    override func viewWillAppear(animated: Bool) {
        super.viewWillAppear(animated)
        _tableView!.reloadData()
    }
    
    //
    // The following are UIButton event methods
    //
    // clicke add button
    func onAddButtonClicked(sender: UIButton!) {
        let rss = FeedRssListViewController()
        self.navigationController.pushViewController(rss, animated: true)
    }
    
    // clicked about button
    func onAboutButtonClicked(sender: UIButton!) {
        // call extension method
        UIAlertView.showAlertView("关于", message: "参考thilong,欢迎学习swift语言,请勿用于商业用途")
    }
    
    //
    // The following are UITableViewDataSource protocol methods
    //
    func tableView(tableView: UITableView!, numberOfRowsInSection section: Int) -> Int{
        return FeedManager.sharedFeedManager().count()
    }
    
    func tableView(tableView: UITableView!, cellForRowAtIndexPath indexPath: NSIndexPath!) -> UITableViewCell!{
        let cellIdentifier = "cellIdentifier" ;
        var cell  = tableView.dequeueReusableCellWithIdentifier(cellIdentifier) as? UITableViewCell;
        if cell == nil {
            cell = UITableViewCell(style: UITableViewCellStyle.Default, reuseIdentifier: cellIdentifier);
            cell!.selectionStyle = UITableViewCellSelectionStyle.None;
        }
        
        let model = FeedManager.sharedFeedManager().feedModel(atIndex: indexPath.row)
        cell!.textLabel.text = model._name;
        return cell;
    }
    
    //
    // The following are UITableViewDelegate protocol methods
    //
    func tableView(tableView: UITableView!, didSelectRowAtIndexPath indexPath: NSIndexPath!){
        let model = FeedManager.sharedFeedManager().feedModel(atIndex: indexPath.row)
        let detail = RssDetailViewController(model)
        detail.hidesBottomBarWhenPushed = true
        self.navigationController.pushViewController(detail, animated:true);
    }
}

8.FeedRssListViewController.swift

import Foundation
import UIKit

//
// @brief Rss contents for selected
// @author huangyibiao
//
class FeedRssListViewController : BaseViewController, UITableViewDelegate, UITableViewDataSource {
    var _tableView: UITableView?
    var _dataSources: Array<FeedModel> = [
        FeedModel(name:"网易新闻", url:"http://news.163.com/special/00011K6L/rss_newstop.xml"),
        FeedModel(name:"网易科技", url:"http://tech.163.com/special/000944OI/headlines.xml"),
        FeedModel(name:"网易NBA", url:"http://sports.163.com/special/00051K7F/rss_sportslq.xml"),
        FeedModel(name:"网易英超", url:"http://sports.163.com/special/00051K7F/rss_sportsyc.xml"),
        FeedModel(name:"网易娱乐", url:"http://ent.163.com/special/00031K7Q/rss_toutiao.xml"),
        FeedModel(name:"网易电影", url:"http://ent.163.com/special/00031K7Q/rss_entmovie.xml"),
        FeedModel(name:"网易互联网", url:"http://tech.163.com/special/000944OI/hulianwang.xml"),
        FeedModel(name:"网易IT界", url:"http://tech.163.com/special/000944OI/kejiyejie.xml"),
        FeedModel(name:"网易汽车", url:"http://auto.163.com/special/00081K7D/rsstoutiao.xml"),
        FeedModel(name:"网易数码", url:"http://tech.163.com/digi/special/00161K7K/rss_digixj.xml"),
        FeedModel(name:"网易笔记本", url:"http://tech.163.com/digi/special/00161K7K/rss_diginote.xml"),
        FeedModel(name:"网易手机", url:"http://mobile.163.com/special/001144R8/mobile163_copy.xml"),
        FeedModel(name:"网易时尚", url:"http://lady.163.com/special/00261R8C/ladyrss1.xml"),
        FeedModel(name:"网易星运", url:"http://lady.163.com/special/00261R8C/ladyrss4.xml"),
        FeedModel(name:"网易游戏", url:"http://game.163.com/special/003144N4/rss_gametop.xml"),
        FeedModel(name:"网易旅游", url:"http://travel.163.com/special/00061K7R/rss_hline.xml")
    ]
    
    override func viewDidLoad() {
        super.viewDidLoad()
        
        self.title = "Feed Models"
        
        // config tableview
        _tableView = UITableView(frame: self.view.bounds);
        self.view.addSubview(_tableView);
        _tableView!.dataSource = self
        _tableView!.delegate = self;
    }
    
    //
    // @brief The following funcs are UITableViewDataSource protocol methods
    //
    func tableView(tableView: UITableView!, numberOfRowsInSection section: Int) -> Int{
        return _dataSources.count;
    }
    
    func tableView(tableView: UITableView!, cellForRowAtIndexPath indexPath: NSIndexPath!) -> UITableViewCell!{
        let cellIdentifier = "cellIdentifier" ;
        var cell = tableView.dequeueReusableCellWithIdentifier(cellIdentifier) as? UITableViewCell;
        if cell == nil {
            cell = UITableViewCell(style: UITableViewCellStyle.Default, reuseIdentifier: cellIdentifier);
            cell!.selectionStyle = UITableViewCellSelectionStyle.None;
        }
        let model = _dataSources[indexPath.row] as FeedModel
        cell!.textLabel.text = model._name;
        return cell;
    }
    
    //
    // @brief The following funcs are UITableViewDelegate protocol methods
    //
    func tableView(tableView: UITableView!, didSelectRowAtIndexPath indexPath: NSIndexPath!){
        let model = _dataSources[indexPath.row] as FeedModel;
        FeedManager.sharedFeedManager().addFeedModel(model)
        self.navigationController.popViewControllerAnimated(true);
    }
}

9.RssDetailViewController.swift

import Foundation
import UIKit

//
// @brief Detail rss content 
// @author huangyibiao
//
class RssDetailViewController : BaseViewController, HttpRequestDelegate {
    var _httpRequest: HttpRequest?
    var _webView: UIWebView?
    var _feedModel: FeedModel?
    
    init(_ feedModel: FeedModel) {
        super.init(nibName: nil, bundle: nil)
        
        _feedModel = feedModel
    }
    
    override func viewDidLoad() {
        super.viewDidLoad()
        
        self.title = _feedModel!._name
        _webView = UIWebView(frame: self.view.bounds)
        self.view.addSubview(_webView)
        
        _httpRequest = HttpRequest()
        _httpRequest!.startRequest(self, urlString: _feedModel!._url)
    }
    
    //
    // @brief The following funcs are HttpRequestDelegate protocol methods
    //
    func requestFinished(request: HttpRequest!, downloadedData: NSMutableData!) {
        let doc = GDataXMLDocument(data: downloadedData, options: 0, error: nil)
        if doc == nil {
            UIAlertView.showAlertView("error", message: "read xml file error")
            return;
        }
        var rootElement = doc.rootElement();
        var titleNode = rootElement.nodeForXPath("/rss/channel/title", error: nil);
        var linkNode = rootElement.nodeForXPath("/rss/channel/link", error: nil);
        var channelNode = rootElement.nodeForXPath("/rss/channel", error: nil);
        var items = doc.nodesForXPath("/rss/channel/item", error:nil);
        var entrysBuilder : NSMutableString = NSMutableString();
        var baseHTMLPath : NSString = NSBundle.mainBundle().pathForResource("FeedEntryList",ofType: "html");
        var finalHTML : NSString = NSString.stringWithContentsOfFile(baseHTMLPath,
            encoding: NSUTF8StringEncoding,error: nil);
        for (var i = 0; i < items.count; i++){
            var item = items[i] as GDataXMLElement;
            var itemTitleNode = item.elementsForName("title")[0] as GDataXMLElement;
            var itemDescriptionNode = item.elementsForName("description")[0] as GDataXMLElement;
            var itemUrlNode : GDataXMLElement = item.elementsForName("guid")[0] as GDataXMLElement;
            
            var entryBuilder : NSMutableString = NSMutableString();
            entryBuilder.appendString("<a href='");
            // link here
            var urlString : NSString! = itemUrlNode.stringValue();
            var stringS = urlString.componentsSeparatedByString("/");
            var finalString : NSString? = stringS[stringS.count - 1] as? NSString;
            if finalString && finalString!.hasSuffix(".html"){
                urlString = NSString(string:"http://3g.163.com/touch/article.html?docid=");
                var docid : NSString = NSString(string:finalString!.stringByReplacingOccurrencesOfString(".html", withString:""));
                urlString = urlString.stringByAppendingFormat("%@",docid);
            }
            
            
            entryBuilder.appendString(urlString);
            entryBuilder.appendString("'><div class='entry'><div class='entryTitle'>");
            //title here
            entryBuilder.appendString(itemTitleNode.stringValue());
            entryBuilder.appendString("</div><div class='entryDescription'>");
            //description here
            var description : NSString = itemDescriptionNode.stringValue();
            entryBuilder.appendString(description);
            entryBuilder.appendString("</div></div></a>");
            
            entrysBuilder.appendString(entryBuilder);
        }
        finalHTML = finalHTML.stringByReplacingOccurrencesOfString("[[ENTRYLIST]]",
            withString: entrysBuilder);
        
        _webView!.loadHTMLString(finalHTML,baseURL: nil);
    }
    
    // fail to download
    func requestFailed(request: HttpRequest!) {
        println("request failed" + _feedModel!._url!)
    }
}


10.mix and match: SwiftRssReader-Bridging-Header

#import "GDataXMLNode.h"
#import "JSONKit.h"


11.源代码:

本例子的源代码入口


版权声明:本文为博主原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。
本文链接:https://blog.csdn.net/woaifen3344/article/details/30058185

智能推荐

React学习记录-程序员宅基地

文章浏览阅读936次,点赞22次,收藏26次。React核心基础

Linux查磁盘大小命令,linux系统查看磁盘空间的命令是什么-程序员宅基地

文章浏览阅读2k次。linux系统查看磁盘空间的命令是【df -hl】,该命令可以查看磁盘剩余空间大小。如果要查看每个根路径的分区大小,可以使用【df -h】命令。df命令以磁盘分区为单位查看文件系统。本文操作环境:red hat enterprise linux 6.1系统、thinkpad t480电脑。(学习视频分享:linux视频教程)Linux 查看磁盘空间可以使用 df 和 du 命令。df命令df 以磁..._df -hl

Office & delphi_range[char(96 + acolumn) + inttostr(65536)].end[xl-程序员宅基地

文章浏览阅读923次。uses ComObj;var ExcelApp: OleVariant;implementationprocedure TForm1.Button1Click(Sender: TObject);const // SheetType xlChart = -4109; xlWorksheet = -4167; // WBATemplate xlWBATWorksheet = -4167_range[char(96 + acolumn) + inttostr(65536)].end[xlup]

若依 quartz 定时任务中 service mapper无法注入解决办法_ruoyi-quartz无法引入ruoyi-admin的service-程序员宅基地

文章浏览阅读2.3k次。上图为任务代码,在任务具体执行的方法中使用,一定要写在方法内使用SpringContextUtil.getBean()方法实例化Spring service类下边是ruoyi-quartz模块中util/SpringContextUtil.java(已改写)import org.springframework.beans.BeansException;import org.springframework.context.ApplicationContext;import org.s..._ruoyi-quartz无法引入ruoyi-admin的service

CentOS7配置yum源-程序员宅基地

文章浏览阅读2w次,点赞10次,收藏77次。yum,全称“Yellow dog Updater, Modified”,是一个专门为了解决包的依赖关系而存在的软件包管理器。可以这么说,yum 是改进型的 RPM 软件管理器,它很好的解决了 RPM 所面临的软件包依赖问题。yum 在服务器端存有所有的 RPM 包,并将各个包之间的依赖关系记录在文件中,当管理员使用 yum 安装 RPM 包时,yum 会先从服务器端下载包的依赖性文件,通过分析此文件从服务器端一次性下载所有相关的 RPM 包并进行安装。_centos7配置yum源

智能科学毕设分享(算法) 基于深度学习的抽烟行为检测算法实现(源码分享)-程序员宅基地

文章浏览阅读828次,点赞21次,收藏8次。今天学长向大家分享一个毕业设计项目毕业设计 基于深度学习的抽烟行为检测算法实现(源码分享)毕业设计 深度学习的抽烟行为检测算法实现通过目前应用比较广泛的 Web 开发平台,将模型训练完成的算法模型部署,部署于 Web 平台。并且利用目前流行的前后端技术在该平台进行整合实现运营车辆驾驶员吸烟行为检测系统,方便用户使用。本系统是一种运营车辆驾驶员吸烟行为检测系统,为了降低误检率,对驾驶员视频中的吸烟烟雾和香烟目标分别进行检测,若同时检测到则判定该驾驶员存在吸烟行为。进行流程化处理,以满足用户的需要。

随便推点

STM32单片机示例:多个定时器同步触发启动_stm32 定时器同步-程序员宅基地

文章浏览阅读3.7k次,点赞3次,收藏14次。多个定时器同步触发启动是一种比较实用的功能,这里将对此做个示例说明。_stm32 定时器同步

android launcher分析和修改10,Android Launcher分析和修改9——Launcher启动APP流程(转载)...-程序员宅基地

文章浏览阅读348次。出处 : http://www.cnblogs.com/mythou/p/3187881.html本来想分析AppsCustomizePagedView类,不过今天突然接到一个临时任务。客户反馈说机器界面的图标很难点击启动程序,经常点击了没有反应,Boss说要优先解决这问题。没办法,只能看看是怎么回事。今天分析一下Launcher启动APP的过程。从用户点击到程序启动的流程,下面针对WorkSpa..._回调bubbletextview

Ubuntu 12 最快的两个源 个人感觉 163与cn99最快 ubuntu安装源下包过慢_un.12.cc-程序员宅基地

文章浏览阅读6.2k次。Ubuntu 12 最快的两个源 个人感觉 163与cn99最快 ubuntu下包过慢 1、首先备份Ubuntu 12.04源列表 sudo cp /etc/apt/sources.list /etc/apt/sources.list.backup (备份下当前的源列表,有备无患嘛) 2、修改更新源 sudo gedit /etc/apt/sources.list (打开Ubuntu 12_un.12.cc

vue动态路由(权限设置)_vue动态路由权限-程序员宅基地

文章浏览阅读5.8k次,点赞6次,收藏86次。1.思路(1)动态添加路由肯定用的是addRouter,在哪用?(2)vuex当中获取到菜单,怎样展示到界面2.不管其他先试一下addRouter找到router/index.js文件,内容如下,这是我自己先配置的登录路由现在先不管请求到的菜单是什么样,先写一个固定的菜单通过addRouter添加添加以前注意:addRoutes()添加的是数组在export defult router的上一行图中17行写下以下代码var addRoute=[ { path:"/", name:"_vue动态路由权限

JSTL 之变量赋值标签-程序员宅基地

文章浏览阅读8.9k次。 关键词: JSTL 之变量赋值标签 /* * Author Yachun Miao * Created 11-Dec-06 */关于JSP核心库的set标签赋值变量,有两种方式: 1.日期" />2. 有种需求要把ApplicationResources_zh_CN.prope

VGA带音频转HDMI转换芯片|VGA转HDMI 转换器方案|VGA转HDMI1.4转换器芯片介绍_vga转hdmi带音频转换器,转接头拆解-程序员宅基地

文章浏览阅读3.1k次,点赞3次,收藏2次。1.1ZY5621概述ZY5621是VGA音频到HDMI转换器芯片,它符合HDMI1.4 DV1.0规范。ZY5621也是一款先进的高速转换器,集成了MCU和VGA EDID芯片。它还包含VGA输入指示和仅音频到HDMI功能。进一步降低系统制造成本,简化系统板上的布线。ZY5621方案设计简单,且可以完美还原输入端口的信号,此方案设计广泛应用于投影仪、教育多媒体、视频会议、视频展台、工业级主板显示、手持便携设备、转换盒、转换线材等产品设计上面。1.2 ZY5621 特性内置MCU嵌入式VGA_vga转hdmi带音频转换器,转接头拆解

推荐文章

热门文章

相关标签