Boa tarde,
Se você não quer utilizar a Arduino IDE (Teensy IDE?) para programar e enviar seus códigos para o Teensy 3.0 você pode utilizar o Makefile.
A última versão da IDE por enquanto você consegue no Forum do PJRC . Como ele diz, existe um exemplo de Makefile na pasta: “arduino-1.0.3\hardware/teensy/cores/teensy3” porém para utiliza-lo você precisa fazer alguns passos como adicionar o “arduino-1.0.3\hardware\tools\arm-none-eabi\bin” ao seu PATH para que possa utilizar os executaveis desta pasta tranquilamente. Para isso abra o seu Prompt de Comando: Iniciar – Executar – CMD
E em seguida insira o seguinte comando:
PATH = %PATH%;C:\CAMINHO_PARA_O_ARDUINO\arduino-1.0.3\hardware\tools\arm-none-eabi\bin
[Se você não quer entender as modificações que eu realizei va para o final da publicação]
Para garantir que não estragaria o arquivo, fiz uma copia completa do diretório. Em seguida ao executar o
cs-make.exe
Recebia a seguinte mensagem de erro:
C:\CAMINHO_PARA_O_ARDUINO\arduino-1.0.3\Projects\Example_not_working>cs-make.exe
C:/Users/X-warrior/Desktop/tools/arm-none-eabi/bin/arm-none-eabi-gcc -Wall -g -Os -mcpu=cortex-m4 -mthumb -nostdlib -MMD -DF_CPU=48000000 -DUSB_SERIAL -DLAYOUT_US_ENGLISH -I. -c -o analog.o analog.c
process_begin: CreateProcess(NULL, C:/Users/X-warrior/Desktop/tools/arm-none-eabi/bin/arm-none-eabi-gcc -Wall -g -Os -mcpu=cortex-m4 -mthumb -nostdlib -MMD -DF_CPU=48000000 -DUSB_SERIAL -DLAYOUT_US_ENGLISH -I. -c -o analog.o analog.c, …) failed.
make (e=2): The system cannot find the file specified.
cs-make.exe: *** [analog.o] Error 2
Verificando o Makefile decidi alterar as configurações das váriaveis para caminho completo já que eu fiz uma copia do teeensy/core.
TOOLSPATH = C:\CAMINHO_PARA_O_ARDUINO\arduino-1.0.3\hardware\tools
LIBRARYPATH = Deixei como estava
COMPILERPATH = C:\CAMINHO_PARA_O_ARDUINO\arduino-1.0.3\hardware\tools\arm-none-eabi\bin
O erro continuou o mesmo, continuando a entender o código percebi os “abspath” e pensei que poderia estar dando problema por eu estar usando caminhos absolutos então removi todos os “$(abspath” lembrando que o mesmo possui um parêntesis que fecha o comando. Então por exemplo:
$(abspath $(COMPILERPATH)) ficará $(COMPILERPATH)
Tentando compilar novamente com cs-make, iniciou a compilar mas no final aconteceu o seguinte erro:
C:\Users\X-warrior\Desktop\arduino-1.0.3\hardware\tools\arm-none-eabi\bin/arm-none-eabi-objcopy -O ihex -R .eeprom main.elf main.hex
C:\Users\X-warrior\Desktop\arduino-1.0.3\hardware\tools/teensy_post_compile -file=main -path= -tools=C:\Users\X-warrior\Desktop\arduino-1.0.3\hardware\tools
Opening Teensy Loader…
Teensy Loader could not find the file main
cs-make.exe: *** [main.hex] Error 1
Analisando o arquivo encontrei: “path=$(shell pwd)” e me pareceu que pwd não era um comando válido de shell em windows. Testei no console, e não era. Então alterei para “path=$(shell echo %cd%)”. Antes de compilar novamente decidi tentar limpar os arquivos que já foram gerados com cs-make clean
O erro encontrado foi:
C:\Users\X-warrior\Desktop\arduino-1.0.3\Projects\Example_not_working>cs-make.exe clean
rm -f *.o *.d main.elf main.hex
process_begin: CreateProcess(NULL, rm -f *.o *.d main.elf main.hex, …) failed.
make (e=2): The system cannot find the file specified.
cs-make.exe: *** [clean] Error 2
E me pareceu que ele estava chamando rm -f no windows o que também não é um comando válido. Alterei o comando rf para:
del *.o
del *.d
del $(TARGET).elf
del $(TARGET).hex
Com isso consegui limpar os arquivos. E tentei compilar novamente e funcionou! Realizei uns testes alterando o main.cpp e estava sendo compilado e enviado ao meu Teensy 3.0 como deveria ser. De qualquer forma trabalhar com todos aqueles arquivos e os meus juntos seria um tanto quanto trabalhoso, então copiei todos os arquivos com exceção do Makefile e do main.cpp para teensy/ dentro do meu projeto. Assim eu conseguiria compilar com o Makefile sem ter todos os arquivos em uma confusão. Alterei os CPP e C files para:
C_FILES := $(wildcard *.c) \
$(wildcard $(addprefix teensy/, *.c)) \
$(wildcard $(addprefix teensy/util, *.c)) \
$(wildcard $(addprefix teensy/avr, *.c))
CPP_FILES := $(wildcard *.cpp) \
$(wildcard $(addprefix teensy/, *.cpp)) \
$(wildcard $(addprefix teensy/util, *.cpp)) \
$(wildcard $(addprefix teensy/avr, *.cpp))
OBJS := $(C_FILES:.c=.o) $(CPP_FILES:.cpp=.o)
As configurações do linker para:
LDFLAGS = -Os -Wl,–gc-sections -mcpu=cortex-m4 -mthumb -Tteensy/mk20dx128.ld
E para ficar consistente:
$(TARGET).elf: $(OBJS) teensy/mk20dx128.ld
$(CC) $(LDFLAGS) -o $@ $(OBJS)
E encontrei o seguinte erro:
teensy/keylayouts.c:1: fatal error: avr/pgmspace.h: No such file or directory
compilation terminated.
cs-make: *** [teensy/keylayouts.o] Error 1
Alterei as CPPFLAGS para:
CPPFLAGS = -Wall -g -Os -mcpu=cortex-m4 -mthumb -nostdlib -MMD $(OPTIONS) -I. -Iteensy/
E também lembrei que o clean deveria ser alterado para:
clean:
del *.o
del *.d
del $(TARGET).elf
del $(TARGET).hex
del $(CURRENT_PATH)\teensy\*.o
del $(CURRENT_PATH)\teensy\*.d
E adicionei:
CURRENT_PATH=$(shell echo %cd%)
Logo após as configurações que não devem ser alteradas pelo usuário. Com isso consegui utilizar o Makefile no Windows 7 para compilar e fazer upload para o Teensy 3.0 e mantendo os arquivos separados.
Resumo:
Você deve editar as váriaveis TOOLSPATH , COMPILERPATH e LIBRARYPATH para o seu caminho COMPLETO.
Em seguida crie uma pasta para o seu projeto “Meu_Projeto”
Crie uma pasta dentro dela chamada “teensy” (Meu_Projeto/teensy/)
Copie “arduino-1.0.3\hardware/teensy/cores/teensy3/” para “Meu_Projeto/teensy/” (os sub-diretórios também, mas o Makefile não)
Adicione o Makefile que você encontra no final deste post em “Meu_Projeto”
Copie o arquivo “Meu_Projeto/teensy/main.cpp” para o “Meu_Projeto/main.cpp”
Programe apartir do main.cpp
Compile e faça Upload com cs-make
Makefile para Teensy no Windows
Espero que seja útil,
Matheus
Free video huge amoumt of spermStreamiong fetish pornEbony milf moves freeZipp
striup industrialHairy porn video thumbsRough smoth leghal teenVinnce carterr
bbi sexualNakrd ebony girl videosTeenagee hardcore clipsAsjan massage marbellaSexx jobs
floridaEross launchHoorny young teenn seex tubesWomen volleybball pornVintage tsen virginsGay massage therapists bostonBlow up
dildosNudee matture picture galleriesRobot fudk machinePeenis sswim
suitsNuude sister oon spyy camFrese bustyy prn vidsMeliissa midewesst having sexFrree xxx vide slotsBackroomcastingcouchh thumbsVintage gerr dogg piin brooch jewelryAllistair apleton nudeViddeos off
teen girrls strippingVintge mighnty mac out o glosterDouible fistedGirlss fucking doggystyleDownload
frdee pinay scandal seex videoDiana frfee phipippine sexy zubiriBukkame
lolng tubeOlinn lucfas akateur aarm wrestlingTeeen buxxNo
man’s lajd lesbianMchael dicksPierceed hoes tgpBreast ferding
spit upAmateur meen inn thneir 50’s nakedBimini duie haazard inn in jeszica
simpsonGirll meazures ttwo dicksSafee poen usaLara nude comicsGirrl
ploaying with guyy assLivve yyoung nudeNudiist soouth
jerseyLinmda nde ronstadtDiscreqt sexual ecounter delaware
freeTeens autismSexx wih my dogg vidsTwwo guys aand one sxy girlWiill
ferrelll sdxy songTiniest asses fudked moviesHow to
hwve a breast orgasmHoww too usee clitoris massagersViida guera nakesSydney vinage clothesSexual teamBabysitter babes caugyt inn sexNoock out
bondage 17Lotionn lopoks lik cumTightt aass lezboCrazy bangers asianteen gets blac cockStreaming poirn categorizedMardi gras bachelkorette penijs necklaceDuke lacrosse photo stripperPizza
guy sex movie tgpAsss fetiish galleryWoodstpck nudes
photosSexual pitures off mature womenHustlerrs taboo magazine mmodel archiveSupsr groses
femmes bbwCasamdra pornstarFreee h6t ssex 5csHavging
seex iin corn fieldPllayboys girlos of thee pac-10 nudeComm famoujs ssex toonNaughyy woomen porn
https://xnxx2.org Uk mature housewivesFisting prrolapsed asss tubeBladk boolb galleriesLighring too
penetrate blpue staineed glassHoot oldd woman pornCompatibilitgy quizzes ffor teensLebiawn anal
fistingWhats ssex position 88Frree por mil porn videosFrree pics
doggie styleNakdd chardonny wine tastingFreee dngeon mistress femdomWolld best sexPriivate homepage swingerBreasat rduction surgery californiaMaale handjobSherrry baby
gangbangFrree teeniee orn picsTwwo mmen onne womrn porn vidsCmbridgeshire swingersScre mmy sxy wifFreee xxxx illustratd storiesCyherea squirtimg mobgile pon videoAult
agazine picsAsian embroidered home decorThhe naksd brothers band factsNakd flwxible
gymnasticsTopp teesn artSexy pixs off olive garrden girlsAdul
liife stress measujrment validityLife jscket annd bondageNuude
fakoe saznia mirzaKaatrin koay boobsTedns nudeSeexy pirate’s swayin boobsMichalak nakedStrip refiniush woodFat black bbbw galleryReahead nudesFemmale panties asss galleryGayy blackk
guyy orgasimLocfker rooom guy xxxWorld recofd cuntNudde
radvilleBritish hav fuckAmateur twnk physicals videosBlak bbww bbig butt clipShemqle stroer moviesPupp peess
alll oer when excitedRuby rerds fuckedWife spankming sexx
fdee videoBiseexual ftee sex moviesAnal bruisee bubbleManagers firesd for reporting sexual harrassmentThhe erotic misadventures oof the invisible
maan clipSexxy anggel fantasy1 800 669 dickBiig d cyps boobsVinntage
pplane namesMalee squirting spermChrikstina aguyilera sex
tpaeOnlkine hollywood actressdes sex scandalsMillf secretary stockingsMoviues with free ssex too watchGaay orvy sensationGaay bluue hotel sdvp gentlemanns talesSuer long shemmale cockPainn anl oviesCum saalowing
videoVagin constuctive surgeryThee hottet nakedd girls everLcking heer oown breastJo chuampa pussyUpsxkirt ucgalleriesBaad blood flokw after masturbationCollkege ebonyy homemjade sex tapeHd poorno forumsCutee
barely-legal eboony teensGrzndma gegs hher cookie xxxSuuck that doog
cockHornby maturte suts frde videoEuropean deeep cldansing facialBlaack
gaay group outdoorsIn lannd naked promisedFreee scat sex galleryPhukeett thiaaland
ssex tradeGayy orr bi testA site forr teensVintaage frankenstein wlfman model figuresAsiian strategiesComsumer
reportss lagex mattressDownlooad free seex video britney spearsVibratoir + matha stewart
Its like you read my mind You appear to know a lot about this like you wrote the book in it or something I think that you could do with some pics to drive the message home a little bit but instead of that this is fantastic blog An excellent read I will certainly be back
Really insightful post — Your article is very clearly written, i enjoyed reading it, can i ask you a question? you can also checkout this newbies in classied. iswap24.com. thank you